Last updated: 2025-01-28
Checks: 6 1
Knit directory: slr_taxonomies_workflowr/
This reproducible R Markdown analysis was created with workflowr (version 1.7.1). The Checks tab describes the reproducibility checks that were applied when the results were created. The Past versions tab lists the development history.
The R Markdown is untracked by Git. To know which version of the R
Markdown file created these results, you’ll want to first commit it to
the Git repo. If you’re still working on the analysis, you can ignore
this warning. When you’re finished, you can run
wflow_publish to commit the R Markdown file and build the
HTML.
Great job! The global environment was empty. Objects defined in the global environment can affect the analysis in your R Markdown file in unknown ways. For reproduciblity it’s best to always run the code in an empty environment.
The command set.seed(20250128) was run prior to running
the code in the R Markdown file. Setting a seed ensures that any results
that rely on randomness, e.g. subsampling or permutations, are
reproducible.
Great job! Recording the operating system, R version, and package versions is critical for reproducibility.
Nice! There were no cached chunks for this analysis, so you can be confident that you successfully produced the results during this run.
Great job! Using relative paths to the files within your workflowr project makes it easier to run your code on other machines.
Great! You are using Git for version control. Tracking code development and connecting the code version to the results is critical for reproducibility.
The results in this page were generated with repository version fb5a730. See the Past versions tab to see a history of the changes made to the R Markdown and HTML files.
Note that you need to be careful to ensure that all relevant files for
the analysis have been committed to Git prior to generating the results
(you can use wflow_publish or
wflow_git_commit). workflowr only checks the R Markdown
file, but you know if there are other scripts or data files that it
depends on. Below is the status of the Git repository when the results
were generated:
Ignored files:
Ignored: .Rproj.user/
Untracked files:
Untracked: analysis/bib-file-parser.Rmd
Untracked: analysis/desktop.ini
Untracked: analysis/robustnessandconciseness.Rmd
Untracked: code/desktop.ini
Untracked: data/desktop.ini
Untracked: desktop.ini
Untracked: output/desktop.ini
Note that any generated files, e.g. HTML, png, CSS, etc., are not included in this status report because it is ok for generated content to have uncommitted changes.
There are no past versions. Publish this analysis with
wflow_publish() to start tracking its development.
https://blog.finxter.com/5-best-ways-to-construct-and-manage-a-tree-in-python/ https://builtin.com/articles/tree-python https://bigtree.readthedocs.io/en/0.14.8/ Pouly, Marc. “Estimating Text Similarity based on Semantic Concept Embeddings.” arXiv preprint arXiv:2401.04422 (2024).
import torch
import einops
import math
from transformers import AutoModel
# Load the Jina AI embeddings model
model = AutoModel.from_pretrained("jinaai/jina-embeddings-v3", trust_remote_code=True)
taxonomy_tree = {
'1': {
'2': {
'A': 'Lake',
'B': 'River'
},
'C': 'House',
'3': {
'4': {
'D': 'Mountain',
'E': 'Everest',
'F': 'Volcano'
}
}
}
}
# Function to extract leaf nodes
def get_leaf_nodes(taxonomy):
leaves = {}
def traverse(node, path):
if isinstance(node, dict):
for k, v in node.items():
traverse(v, path + [k])
else:
leaves[path[-1]] = node # Leaf node with its path
traverse(taxonomy, [])
return leaves
# Function to calculate similarity using the Jina AI embeddings model
def calculate_similarity(text1, text2):
# Encode texts to get embeddings
embeddings = model.encode([text1, text2])
# Calculate cosine similarity
sim = torch.nn.functional.cosine_similarity(torch.tensor(embeddings[0]), torch.tensor(embeddings[1]), dim=0)
return sim.item()
# Function to calculate R(T)
def calculate_r_t(taxonomy):
leaves = get_leaf_nodes(taxonomy)
leaf_names = list(leaves.values())
groups = [leaf_names[i:i + 2] for i in range(0, len(leaf_names), 2)] # Grouping pairs
total_groups = len(groups)
r_t_values = []
for group in groups:
# Calculate pairwise similarities within the group
similarities = []
for i in range(len(group)):
for j in range(i + 1, len(group)):
sim = calculate_similarity(group[i], group[j])
similarities.append(sim)
if similarities:
min_similarity = min(similarities)
else:
min_similarity = 0 # No pairs means no intruders possible
# Count intruders
intruder_count = 0
for leaf in leaf_names:
if leaf not in group:
sim_with_group = calculate_similarity(leaf, group[0])
if sim_with_group > min_similarity:
intruder_count += 1
# Calculate R(T) for this group
n_ic = intruder_count
n_gc = len(group)
n_ac = len(leaf_names)
r_t = (1 - (n_ic / (n_gc * (n_ac - n_gc)))) if n_gc * (n_ac - n_gc) > 0 else 0
r_t_values.append(r_t)
return sum(r_t_values) / total_groups if total_groups > 0 else 0
def extract_ncat(taxonomy):
ncat = 0
first_category_found = False # Flag to track if the first category has been encountered
def count_categories(node, is_root=True):
nonlocal ncat, first_category_found
if isinstance(node, dict):
# Only count nodes that are not the root and not leaves
if not is_root:
if not first_category_found:
first_category_found = True # Set the flag after the first category is found
else:
ncat += 1 # Count the intermediate category
print(f"Found category: {list(node.keys())}") # Print the keys of the current category
# Recursively process children, marking them as non-root
for child in node.values():
count_categories(child, is_root=False)
count_categories(taxonomy)
return ncat
def extract_nchar(taxonomy):
nchar = 0
def count_characteristics(node):
nonlocal nchar
if isinstance(node, dict):
for child in node.values():
count_characteristics(child)
else:
nchar += 1 # Count the current characteristic
count_characteristics(taxonomy)
return nchar
def extract_depths_cat(taxonomy):
depths_cat = []
def find_depths(node, depth):
if isinstance(node, dict):
depths_cat.append(depth) # Record the depth of this category
for child in node.values():
find_depths(child, depth + 1)
find_depths(taxonomy, 0) # Start from depth 0
return depths_cat
def extract_depths_char(taxonomy):
depths_char = []
def find_characteristic_depths(node, depth):
if isinstance(node, dict):
for child in node.values():
find_characteristic_depths(child, depth + 1)
else:
depths_char.append(depth) # Record the depth of this characteristic
find_characteristic_depths(taxonomy, 0) # Start from depth 0
return depths_char
import math
def calculate_conciseness(ncat, nchar, depths_cat, depths_char):
"""
Calculate the conciseness of the taxonomy using the proposed formula.
Parameters:
ncat (int): The number of categories.
nchar (int): The number of characteristics.
depths_cat (list): A list of depths for categories.
depths_char (list): A list of depths for characteristics.
Returns:
float: The conciseness value of the taxonomy.
"""
# Calculate the sum of the inverses of the depths for categories and characteristics
# Only include depths greater than 0 to avoid division by zero
sum_cat = sum(1 / d for d in depths_cat if d > 0) if ncat > 0 else 0 # Sum for categories
sum_char = sum(1 / d for d in depths_char if d > 0) if nchar > 0 else 0 # Sum for characteristics
# Calculate the total sum of inverses of depths
total_sum = sum_cat + sum_char
# Calculate conciseness using the provided formula
if total_sum > 0:
C_T = 1 / (1 + math.log(total_sum - 1))
else:
C_T = 0 # Return 0 if total_sum is not positive
return C_T
ncat = extract_ncat(taxonomy_tree)
Found category: ['A', 'B']
Found category: ['4']
Found category: ['D', 'E', 'F']
nchar = extract_nchar(taxonomy_tree)
depths_cat = extract_depths_cat(taxonomy_tree)
depths_char = extract_depths_char(taxonomy_tree)
print("Number of categories (ncat):", ncat)
Number of categories (ncat): 3
print("Number of characteristics (nchar):", nchar)
Number of characteristics (nchar): 6
print("Depths of categories:", depths_cat)
Depths of categories: [0, 1, 2, 2, 3]
print("Depths of characteristics:", depths_char)
Depths of characteristics: [3, 3, 2, 4, 4, 4]
# Calculate R(T) for the given taxonomy
leaves=get_leaf_nodes(taxonomy_tree)
print(leaves)
{'A': 'Lake', 'B': 'River', 'C': 'House', 'D': 'Mountain', 'E': 'Everest', 'F': 'Volcano'}
robustness_value = calculate_r_t(taxonomy_tree)
print(f"Robustness R(T): {robustness_value:.4f}")
Robustness R(T): 0.9583
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
The conciseness of the taxonomy is: 0.45899878671895267
new_taxonomy = {
'Cost estimation for GSD': {
'Cost estimation context': {
'Planning': {
"Conceptualization": "Conceptualization",
"Feasibility study": "Feasibility study",
"Preliminary planning": "Preliminary planning",
"Detail Planning": "Detail planning",
"Execution": "Execution",
"Commissioning": "Commissioning"
},
'Project activities': {
"System investigation": "System investigation",
"Analysis": "Analysis",
"Design": "Design",
"Implementation": "Implementation",
"Testing": "Testing",
"Maintenance": "Maintenance",
"Other Project Activities": "Project Activities.Other"
},
'Project domain': {
"SE": "Systems Engineering",
"Research & Dev": {
"Telecommunication": "Telecommunication"
},
"Finance": "Finance",
"Healthcare": "Healthcare",
"Other Project Domain": "Project Domain.Other"
},
'Project setting': {
"Close onshore": "Close onshore",
"Distant onshore": "Distant onshore",
"Near offshore": "Near offshore",
"Far offshore": "Far offshore"
},
'Planning approaches': {
"Constructive Cost Model": "Constructive Cost Model",
"Capability Maturity Model Integration": "Capability Maturity Model Integration",
"Agile": "Agile",
"Delphi": "Delphi",
"GA": "Genetic Algorithms",
"CBR": "Case-Based Reasoning",
"Fuzzy similar": "Fuzzy similar",
"Other planning approaches": "Planning Approaches.other"
},
'Number of sites': {
"Value of number of sites": "Number of sites.Value"
},
'Team size': {
"No of team members": "Number of team members"
}
},
'Estimation technique': {
'Estimation technique': {
"Expert judgment": "Expert judgment",
"Machine learning": "Machine learning",
"Non-machine learning": "Non-machine learning"
},
'Use technique': {
"Individual": "Individual",
"Group-based estimation": "Group-based estimation"
}
},
'Cost estimate': {
'Estimated cost': {
"Estimate value": "Estimated value"
},
'Actual cost': {
"Value": "Actual cost.Value"
},
'Estimation dimension': {
"Effort hours": "Effort hours",
"Staff/cost": "Staff/cost",
"Hardware": "Hardware",
"Risk": "Risk",
"Portfolio": "Portfolio"
},
'Accuracy measure': {
"Baseline comparison": "Baseline comparison",
"Variation reduction": "Variation reduction",
"Sensitivity analysis": "Sensitivity analysis"
}
},
'Cost estimators': {
'Product size': {
"Size report": "Size report",
"Statistics analysis": "Statistics analysis"
},
'Team experience': {
"Considered": "Team experience.Considered",
"Not considered": "Team experience.Not considered"
},
'Team structure': {
"Considered": "Team structure.Considered",
"Not Considered": "Team structure.Not considered"
},
'Product requirement': {
"Performance": "Performance",
"Security": "Security",
"Availability": "Availability",
"Reliability": "Reliability",
"Maintainability": "Maintainability",
"Other requirement": "Producte requirement.Other"
},
'Distributed teams distances': {
"Geographical distance": "Geographical distance",
"Temporal distance": "Temporal distance",
"Socio-cultural distance": "Socio-cultural distance"
}
}
}
}
bajta_tax = new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
new_taxonomy = {
'Web Predictor': {
'Size Metric': {
'Length': {
'Web page count': 'Web page count',
'Media count': 'Media count',
'New media count': 'New media count',
'New Web page count': 'New Web page count',
'Link count': 'Link count',
'Program count': 'Program count',
'Reused component count': 'Reused component count',
'Lines of code': 'Lines of code',
'Reused program count': 'Reused program count',
'Reused media count': 'Reused media count',
'Web page allocation': 'Web page allocation',
'Reused lines of code': 'Reused lines of code',
'Media allocation': 'Media allocation',
'Reused media allocation': 'Reused media allocation',
'Entity count': 'Entity count',
'Attribute count': 'Attribute count',
'Component count': 'Component count',
'Statement count': 'Statement count',
'Node count': 'Node count',
'Collection slot size': 'Collection slot size',
'Component granularity level': 'Component granularity level',
'Slot granularity level': 'Slot granularity level',
'Model node size': 'Model node size',
'Cluster node size': 'Cluster node size',
'Node slot size': 'Node slot size',
'Publishing model unit count': 'Publishing model unit count',
'Model slot size': 'Model slot size',
'Association slot size': 'Association slot size',
'Client script count': 'Client script count',
'Server script count': 'Server script count',
'Information slot count': 'Information slot count',
'Association center slot count': 'Association center slot count',
'Collection center slot count': 'Collection center slot count',
'Component slot count': 'Component slot count',
'Semantic association count': 'Semantic association count',
'Segment count': 'Segment count',
'Slot count': 'Slot count',
'Cluster slot count': 'Cluster slot count',
'Cluster count': 'Cluster count',
'Publishing unit count': 'Publishing unit count',
'Section count': 'Section count',
'Inner/sub concern count': 'Inner/sub concern count',
'Indifferent concern count': 'Indifferent concern count',
'Module point cut count': 'Module point cut count',
'Module count': 'Module count',
'Module attribute count': 'Module attribute count',
'Operation count': 'Operation count',
'Comment count': 'Comment count',
'Reused comment count': 'Reused comment count',
'Media duration': 'Media duration',
'Diffusion cut count': 'Diffusion cut count',
'Concern module count': 'Concern module count',
'Concern operation count': 'Concern operation count',
'Anchor count': 'Anchor count'},
'Functionality': {
'High feature count': 'High feature count',
'Low feature count': 'Low feature count',
'Reused high feature count': 'Reused high feature count',
'Reused low feature count': 'Reused low feature count',
'Web objects': 'Web objects',
'Common Software Measurement International Consortium': 'Common Software Measurement International Consortium',
'International Function Point Users Group': 'International Function Point Users Group',
'Object-Oriented Heuristic Function Points': 'Object-Oriented Heuristic Function Points',
'Object-Oriented Function Points': 'Object-Oriented Function Points',
'Use case count': 'Use case count',
'Feature count': 'Feature count',
'Data Web points': 'Data Web points'},
'Object-oriented': {
'Cohesion': 'Cohesion',
'Class coupling': 'Class coupling',
'Concern coupling': 'Concern coupling'},
'Complexity': {
'Connectivity density': 'Connectivity density',
'Cyclomatic complexity': 'Cyclomatic complexity',
'Model collection complexity': 'Model collection complexity',
'Model association complexity': 'Model association complexity',
'Model link complexity': 'Model link complexity',
'Page complexity': 'Page complexity',
'Component complexity': 'Component complexity',
'Total complexity': 'Total complexity',
'Adaptation complexity': 'Adaptation complexity',
'New complexity': 'New complexity',
'Data usage complexity': 'Data usage complexity',
'Data flow complexity': 'Data flow complexity',
'Cohesion complexity': 'Cohesion complexity',
'Interface complexity': 'Interface complexity',
'Control flow complexity': 'Control flow complexity',
'Class complexity': 'Class complexity',
'Layout complexity': 'Layout complexity',
'Input complexity': 'Input complexity',
'Output complexity': 'Output complexity'}
},
'Cost Driver': {
'Product':{
'Type of product': 'Product.Type',
'Stratum': 'Stratum',
'Compactness': 'Compactness',
'Structure': 'Structure',
'Architecture': 'Architecture',
'Integration with legacy systems': 'Integration with legacy systems',
'Concurrency level': 'Concurrency level',
'Processing requirements': 'Processing requirements',
'Database size': 'Database size',
'Requirements volatility level': 'Requirements volatility level',
'Requirements novelty level': 'Requirements novelty level',
'Reliability level': 'Reliability level',
'Maintainability level': 'Maintainability level',
'Time efficiency level': 'Time efficiency level',
'Memory efficiency level': 'Memory efficiency level',
'Portability level': 'Portability level',
'Scalability level': 'Scalability level',
'Quality level': 'Quality level',
'Usability level': 'Usability level',
'Readability level': 'Readability level',
'Security level': 'Security level',
'Installability level': 'Installability level',
'Modularity level': 'Modularity level',
'Flexibility level': 'Flexibility level',
'Testability level': 'Testability level',
'Accessibility level': 'Accessibility level',
'Trainability level': 'Trainability level',
'Innovation level': 'Innovation level',
'Technical factors': 'Technical factors',
'Storage constraint': 'Storage constraint',
'Reusability level': 'Reusability level',
'Robustness level': 'Robustness level',
'Design volatility': 'Design volatility',
'Experience level': 'Experience level',
'Requirements clarity level': 'Requirements clarity level'},
'Client': {
'Availability level': 'Availability level',
'IT literacy': 'IT literacy',
'Mapped workflows': 'Mapped workflows',
'Personality of client': 'Client.Personality'},
'Development Company': {
'SPI program': 'SPI program',
'Metrics’ program': 'Metrics’ program',
'Number of projects in parallel': 'Number of projects in parallel',
'Software reuse': 'Software reuse'},
'Project': {
'Documentation level': 'Documentation level',
'Number of programming languages': 'Number of programming languages',
'Type of project': 'Project.Type',
'Process efficiency level': 'Process efficiency level',
'Project management level': 'Project management level',
'Infrastructure': 'Infrastructure',
'Development restriction': 'Development restriction',
'Time restriction': 'Time restriction',
'Risk level': 'Risk level',
'Rapid app development': 'Rapid app development',
'Operational mode': 'Operational mode',
'Resource level': 'Resource level',
'Lessons learned repository': 'Lessons learned repository'},
'Team': {
'Domain experience level': 'Domain experience level',
'Team size': 'Team size',
'Deployment platform experience level': 'Deployment platform experience level',
'Team capability': 'Team capability',
'Programming language experience level': 'Programming language experience level',
'Tool experience level': 'Tool experience level',
'Communication level': 'Communication level',
'Software development experience': 'Software development experience',
'Work Team level': 'Work Team level',
'Stability level': 'Stability level',
'Motivation level': 'Motivation level',
'Focus factor': 'Focus factor',
'Tool experience level': 'Tool experience level',
'OO experience level': 'OO experience level',
'In-house experience': 'In-house experience'},
'Technology': {
'Authoring tool type': 'Authoring tool type',
'Productivity level': 'Productivity level',
'Novelty level': 'Novelty level',
'Platform volatility level': 'Platform volatility level',
'Difficulty level': 'Difficulty level',
'Platform support level': 'Platform support level'}}
}
}
britto1_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
new_taxonomy = {
'GSE': {
'Project': {
'Site': {
"Location": "Location",
"Legal Entity": "Legal Entity",
"Geographic Distance": "Geographic Distance",
"Temporal Distance": "Temporal Distance",
"Estimation stage": {
"Early Estimation stage": "Estimation stage.Early",
"Early & Late Estimation stage": "Estimation stage.Early & Late",
"Late Estimation stage": "Estimation stage.Late"
},
"Estimation process role": {
"Estimator": "Estimator",
"Estimator & Provider": "Estimator & Provider",
"Provider": "Provider"
}
},
'Relationship': {
"Location": "Location",
"Legal Entity": "Legal Entity",
"Geographic Distance": "Geographic Distance",
"Temporal Distance": "Temporal Distance",
"Estimation process architectural model": {
"Centralized": "Centralized",
"Distributed": "Distributed",
"Semi-distributed": "Semi-distributed"
}
}
}
}
}
britto2_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
new_taxonomy = {
'Software estimation': {
'Basic Estimating Methods': {
"Algorithmic": {
"Constructive Cost Model": "Constructive Cost Model",
"Software Life Cycle Management": "Software Life Cycle Management",
"Software Evaluation and Estimation for Risk": "Software Evaluation and Estimation for Risk"
},
"Non-Algorithmic": {
"Expert Judgment": "Expert Judgment", # Corrected spelling
"Analogy-Based": "Analogy-Based"
}
},
'Combined Estimating Methods': {
"Basic-Combination": "Basic-Combination",
"Legal Entity": "Legal Entity",
"Estimation process architectural model": {
"Fuzzy Logic": "Fuzzy Logic",
"Artificial Neural Networks": "Artificial Neural Networks",
"Computational Intelligence": { # Corrected spelling
"swarm": "swarm",
"evolutionary": "evolutionary"
}
},
"AI-Combined hybrid": "AI-Combined hybrid"
}
}
}
dashti_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
new_taxonomy = {
"Hypermedia and Web Application Size Metrics":{
"Motivation":{"Motivation":"Motivation"},
"Harvesting time":{
"Early":"Early size metric",
"Late":"Late size metric"},
"Metric foundation":{
"Problem-oriented metric":"Problem-oriented metric",
"Solution-oriented metric":"Solution-oriented metric"},
"Class":{
"Length":"Length",
"Functionality":"Functionality",
"Complexity":"Complexity"},
"Entity":{
"Web hypermedia application":"Web hypermedia application",
"Web software application":"Web software application",
"Web application":"Web application",
"Media":"Media",
"Program/Script":"Program/Sript"},
"Measurement Scale":{
"Nominal":"Nominal",
"Ordinal":"Ordinal",
"Interval":"Interval",
"Ratio":"Ratio",
"Absolute":"Absolute"},
"Computation":{
"Direct":"Direct",
"Indirect":"Indirect"},
"Validation":{
"Validated Empirically":"Validated Empirically",
"Validated Theoretically":"Validated Theoretically",
"Both Empirically and Theoretically":"Validation.Both",
"No Validation":"Validation.None"},
"Model dependency":{
"Specific":"Specific",
"Nonspecific":"Nonspecific"}
}
}
mendes_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
##4 6th Paper, An Effort Estimation Taxonomy for Agile Software Development
new_taxonomy = {
'Effort Estimation in ASD': {
'Estimation context': {
"Planning level": {
"Release Planning level": "Planning level.Release",
"Sprint Planning level": "Planning level.Sprint",
"Daily Planning level": "Planning level.Daily",
"Bidding Planning level": "Planning level.Bidding"
},
"Estimated activities": {
"Analysis": "Analysis",
"Design": "Design",
"Implementation": "Implementation",
"Testing": "Testing",
"Maintenance": "Maintenance",
"All estimateed activities": "Estimated activities.All"
},
"Agile methods": {
"Extreme Programming": "Extreme Programming",
"Scrum": "Scrum",
"Customized Extreme Programming": "Customized Extreme Programming",
"Customized Scrum": "Customized Scrum",
"Dynamic Systems Development Method": "Dynamic Systems Development Method",
"Crystal": "Crystal",
"Feature-Driven Development": "Feature-Driven Development",
"Kanban": "Kanban"
},
"Project domain": {
"Communications industry": "Communications industry",
"Transportation": "Transportation",
"Financial": "Financial",
"Education": "Education",
"Health": "Health",
"Retail/Wholesale": "Retail/Wholesale",
"Manufacturing": "Manufacturing",
"Government/Military": "Government/Military",
"Other project domain": "Project somain.Other"
},
"Project setting": {
"Co-located Project setting": "Project setting.Co-located",
"Distributed: Close Onshore": "Distributed: Close Onshore",
"Distributed: Distant Onshore": "Distributed: Distant Onshore",
"Distributed: Near Offshore": "Distributed: Near Offshore",
"Distributed: Far Offshore": "Distributed: Far Offshore"
},
"Estimation entity": {
"User story Estimation entity": "User story",
"Task Estimation entity": "Task",
"Use case Estimation entity": "Use case",
"Other Estimation entity": "Estimation entity.Other"
},
"Number of entities estimated": {
"Number of entities estimated": "Number of entities estimated"
},
"Team size": {
"No. of team members": "Team size.Value"
}
},
'Estimation technique': {
"Estimation Techniques": {
"Planning Poker": "Planning Poker",
"Expert Judgement": "Expert Judgement",
"Analogy": "Analogy",
"Use case points method": "Use case points method",
"Other estimation technique": "Estimation technique.Other"
},
"Type": {
"Single type": "Type.Single",
"Group type": "Type.Group"
}
},
'Effort predictors': {
"Size": {
"Story points": "Story points",
"User case points": "User case points",
"Function points": "Function points",
"Other Effort predictors": "Other Effort predictors",
"Not used Effort predictors": "Not used Effort predictors",
"Considered without any metric": "Considered without any metric"
},
"Team's prior experience": {
"Considered Team's prior experience": "Team's prior experience.Considered",
"Not Considered Team's prior experience": "Team's prior experience.Not Considered"
},
"Team's skill level": {
"Considered Team's skill level": "Team's skill level.Considered",
"Not Considered Team's skill level": "Team's skill level.Not Considered"
},
"Non functional requirements": {
"Performance": "Performance",
"Security": "Security",
"Availability": "Availability",
"Reliability": "Reliability",
"Maintainability": "Maintainability",
"Other Non functional requirements": "Non functional requirements.Other", # Changed period to comma
"Not considered Non functional requirements": "Non functional requirements.Not considered"
},
"Distributed teams' issues": {
"Considered Distributed teams": "Distributed teams.Considered",
"Not Considered Distributed teams": "Distributed teams.Not Considered",
"Not applicable Distributed teams": "Distributed teams.Not applicable"
},
"Customer Communication": {
"Considered Customer Communication": "Customer Communication.Considered",
"Not Considered Customer Communication": "Customer Communication.Not Considered"
}
},
'Effort estimate': {
"Estimated effort": {
"Estimate value(s)": "Estimate value(s)"
},
"Actual effort": {
"Actual effort Value": "Actual effort.Value"
},
"Type": {
"Point Type": "Point Type",
"Three point Type": "Three point Type",
"Distribution Type": "Distribution Type",
"Other Type": "Other Type"
},
"Unit": {
"House/days": "House/days",
"Pair days": "Pair/days",
"Ideal hours": "Ideal hours",
"Other Unit": "Unit.Other"
},
"Accuracy Level": {
"Accuracy Level Value": "Accuracy Level.Value"
},
"Accuracy measure": {
"Mean Magnitude of Relative Error": "Mean Magnitude of Relative Error",
"Median Magnitude of Relative Error": "Median Magnitude of Relative Error",
"Bias of Relative Error": "Bias of Relative Error",
"Other Accuracy measure": "Accuracy measure.Other",
"Not used Accuracy measure": "Accuracy measure.Not used"
}
}
}
}
usman_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)
ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)
print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)
robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
import pandas as pd
import numpy as np
from sklearn.manifold import TSNE
from sklearn.preprocessing import LabelEncoder
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D # Import for 3D plotting
from transformers import AutoTokenizer, AutoModel
import torch
import matplotlib
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid') # You can change this to any available style
plt.rcParams['font.family'] = 'serif'
# Extracting categories sets
def extract_intermediate_elements(taxonomy, result=None):
if result is None:
result = set()
for key, value in taxonomy.items():
if isinstance(value, dict):
result.add(key)
extract_intermediate_elements(value, result)
return result
bajta_tax_categories = extract_intermediate_elements(bajta_tax)
britto1_tax_categories = extract_intermediate_elements(britto1_tax)
britto2_tax_categories = extract_intermediate_elements(britto2_tax)
dashti_tax_categories = extract_intermediate_elements(dashti_tax)
mendes_tax_categories = extract_intermediate_elements(mendes_tax)
usman_tax_categories = extract_intermediate_elements(usman_tax)
print({'Bajta': bajta_tax_categories})
{'Bajta': {'Project setting', 'Use technique', 'Research & Dev', 'Project activities', 'Cost estimation context', 'Cost estimation for GSD', 'Cost estimators', 'Planning', 'Accuracy measure', 'Project domain', 'Estimation dimension', 'Estimation technique', 'Team size', 'Product requirement', 'Cost estimate', 'Team structure', 'Planning approaches', 'Number of sites', 'Estimated cost', 'Actual cost', 'Distributed teams distances', 'Product size', 'Team experience'}}
print({'Britto_2017':britto1_tax_categories})
{'Britto_2017': {'Size Metric', 'Cost Driver', 'Length', 'Client', 'Development Company', 'Complexity', 'Project', 'Object-oriented', 'Web Predictor', 'Technology', 'Product', 'Functionality', 'Team'}}
print({'Britto_2016':britto2_tax_categories})
{'Britto_2016': {'Relationship', 'Project', 'Site', 'GSE', 'Estimation stage', 'Estimation process role', 'Estimation process architectural model'}}
print({'Dashti':dashti_tax_categories})
{'Dashti': {'Software estimation', 'Basic Estimating Methods', 'Computational Intelligence', 'Algorithmic', 'Non-Algorithmic', 'Combined Estimating Methods', 'Estimation process architectural model'}}
print({'Mendes':mendes_tax_categories})
{'Mendes': {'Class', 'Motivation', 'Model dependency', 'Hypermedia and Web Application Size Metrics', 'Measurement Scale', 'Metric foundation', 'Entity', 'Harvesting time', 'Validation', 'Computation'}}
print({'Usman':usman_tax_categories})
{'Usman': {'Project setting', "Team's skill level", 'Size', 'Estimation entity', 'Effort predictors', 'Unit', 'Customer Communication', 'Effort estimate', 'Planning level', "Team's prior experience", 'Estimation Techniques', 'Accuracy measure', 'Effort Estimation in ASD', 'Project domain', 'Estimation technique', 'Accuracy Level', 'Team size', 'Type', 'Estimation context', 'Number of entities estimated', "Distributed teams' issues", 'Estimated activities', 'Agile methods', 'Actual effort', 'Estimated effort', 'Non functional requirements'}}
sets = {
'Bajta': bajta_tax_categories,
'Britto_2017': britto1_tax_categories,
'Britto_2016': britto2_tax_categories,
'Dashti': dashti_tax_categories,
'Mendes': mendes_tax_categories,
'Usman': usman_tax_categories
}
# Extract characteristics (Execute only one of the two, or characteristics set or categories set)
def extract_leaf_elements(nested_dict):
"""Recursively extract leaf nodes from a nested dictionary."""
leaves = set()
for key, value in nested_dict.items():
if isinstance(value, dict):
# Recursively process sub-dictionaries
leaves.update(extract_leaf_elements(value))
else:
# Add the current key as it's a leaf node
leaves.add(value)
return leaves
# Example usage with your taxonomies
bajta_tax_leaves = extract_leaf_elements(bajta_tax)
britto1_tax_leaves = extract_leaf_elements(britto1_tax)
britto2_tax_leaves = extract_leaf_elements(britto2_tax)
dashti_tax_leaves = extract_leaf_elements(dashti_tax)
mendes_tax_leaves = extract_leaf_elements(mendes_tax)
usman_tax_leaves = extract_leaf_elements(usman_tax)
sets = {
'Bajta': bajta_tax_leaves,
'Britto_2017': britto1_tax_leaves,
'Britto_2016': britto2_tax_leaves,
'Dashti': dashti_tax_leaves,
'Mendes': mendes_tax_leaves,
'Usman': usman_tax_leaves
}
# Output the final dictionary
# Step 2: Flatten the sets into a dataframe (assuming 'sets' is already defined)
words = []
labels = []
for label, words_set in sets.items():
for word in words_set:
words.append(word)
labels.append(label)
# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})
# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
print("Loading model and tokenizer...")
model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
print("Model and tokenizer are already loaded.")
Loading model and tokenizer...
# Step 4: Get the embeddings for each word
def get_embeddings(word):
inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
with torch.no_grad():
outputs = model(**inputs)
return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()
embeddings = np.array([get_embeddings(word) for word in df['Word']])
# Step 5: Perform t-SNE (now in 2D)
tsne = TSNE(n_components=2, perplexity=30, random_state=5)
embeddings_2d = tsne.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\joblib\externals\loky\backend\context.py:136: UserWarning: Could not find the number of physical cores for the following reason:
found 0 physical cores < 1
Returning the number of logical cores instead. You can silence this warning by setting LOKY_MAX_CPU_COUNT to the number of cores you want to use.
warnings.warn(
File "C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\joblib\externals\loky\backend\context.py", line 282, in _count_physical_cores
raise ValueError(f"found {cpu_count_physical} physical cores < 1")
# Step 6: Convert string labels to numeric labels for coloring
label_encoder = LabelEncoder()
numeric_labels = label_encoder.fit_transform(labels)
# Step 7: Create the 2D scatter plot
fig, ax = plt.subplots(figsize=(10, 7))
# Plot the 2D scatter with the numeric labels for colors
scatter = ax.scatter(embeddings_2d[:, 0], embeddings_2d[:, 1],
c=numeric_labels, cmap='Set1', s=100)
# Annotate each point with the word
for i, word in enumerate(df['Word']):
ax.text(embeddings_2d[i, 0] + 0.1, embeddings_2d[i, 1] + 0.1, word, fontsize=9)
# Step 8: Add labels and title
ax.set_title("2D t-SNE Visualization of Word Embeddings")
ax.set_xlabel("t-SNE Dimension 1")
ax.set_ylabel("t-SNE Dimension 2")
# Step 9: Move the legend outside of the plot
legend_labels = label_encoder.classes_
handles = [plt.Line2D([0], [0], marker='o', color='w',
markerfacecolor=plt.cm.Set2(i / len(legend_labels)), markersize=5)
for i in range(len(legend_labels))]
ax.legend(handles, legend_labels, title="Set", loc="center left", bbox_to_anchor=(1.05, 0.5), borderaxespad=0.)
# Step 10: Show the plot
plt.tight_layout() # Ensures proper spacing with the legend outside
plt.savefig('word_embeddings.png', dpi=300, bbox_inches='tight')
plt.show()


import random
import umap.umap_ as umap
import pandas as pd
import numpy as np
from sklearn.preprocessing import LabelEncoder
from sklearn.cluster import KMeans
import matplotlib.pyplot as plt
from scipy.spatial import ConvexHull
from transformers import AutoTokenizer, AutoModel
import torch
from sklearn.metrics.pairwise import cosine_similarity
from matplotlib.lines import Line2D # Add this import at the top of your code
colorstyle = "Set2"
seed=5
marker_styles = ['o', '^', 's', 'p', '*', 'D']
random.seed(seed)
np.random.seed(seed)
torch.manual_seed(seed)
<torch._C.Generator object at 0x000000007F5A00D0>
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid') # You can change this to any available style
plt.rcParams['font.family'] = 'serif'
# Step 2: Flatten the sets into a dataframe
words = []
labels = []
for label, words_set in sets.items():
for word in words_set:
words.append(word.lower())
labels.append(label)
# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})
# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
print("Loading model and tokenizer...")
model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Step 4: Get the embeddings for each word
def get_embeddings(word):
inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
with torch.no_grad():
outputs = model(**inputs)
return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()
embeddings = np.array([get_embeddings(word) for word in df['Word']])
# Step 5: Perform 2D UMAP
umap_model = umap.UMAP(n_components=2, random_state=5)
embeddings_2d = umap_model.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning: n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
warn(
# Step 6: Create a color map that reflects the set labels
unique_labels = list(df['Set'].unique()) # Get the unique set labels
cmap = plt.cm.get_cmap(colorstyle, len(unique_labels)) # Create a colormap with enough colors
<string>:1: MatplotlibDeprecationWarning: The get_cmap function was deprecated in Matplotlib 3.7 and will be removed two minor releases later. Use ``matplotlib.colormaps[name]`` or ``matplotlib.colormaps.get_cmap(obj)`` instead.
# Step 7: Run K-means on UMAP embeddings
num_clusters = len(unique_labels) # Set number of clusters to match unique labels
kmeans = KMeans(n_clusters=num_clusters, n_init=10, random_state=5)
kmeans_labels = kmeans.fit_predict(embeddings_2d)
# Step 8: Generate top 4 names for each cluster
top_n = 3 # Set how many top words to display for each cluster
cluster_names = []
for i in range(num_clusters):
# Get the embeddings for words in the current cluster
cluster_indices = np.where(kmeans_labels == i)[0]
cluster_embeddings = embeddings[cluster_indices]
# Calculate the centroid of the cluster
cluster_centroid = np.mean(cluster_embeddings, axis=0).reshape(1, -1)
# Calculate cosine similarity of centroid to all words' embeddings to find closest words
similarities = cosine_similarity(cluster_centroid, embeddings).flatten()
# Get the indices of the top 4 closest words
closest_word_indices = np.argsort(similarities)[-top_n:][::-1] # Get indices of top 4 closest words
# Get the words corresponding to these indices
closest_words = df['Word'].iloc[closest_word_indices].tolist()
# Store the top 4 closest words as the cluster name
cluster_names.append(closest_words)
# Step 9: Plot with translucent shapes for each K-means cluster and annotate with top 4 names
plt.figure(figsize=(10, 7))
color_map = {label: cmap(i) for i, label in enumerate(unique_labels)}
# Create a list of marker styles to use for each label
marker_styles = ['o', '^', 's', 'p', '*', 'D'] # Add more marker styles if needed
# Loop through each label and plot with the corresponding marker style
plt.figure(figsize=(10, 7))
for i, label in enumerate(unique_labels):
# Get the data for the current label
label_data = df[df['Set'] == label]
# Plot with a different marker for each label
plt.scatter(embeddings_2d[df['Set'] == label, 0],
embeddings_2d[df['Set'] == label, 1],
c=[color_map[label]] * len(label_data),
s=80,
label=label,
marker=marker_styles[i % len(marker_styles)], alpha=0.6) # Use modulo to cycle through marker styles
# Draw convex hulls around each cluster and annotate with cluster names
for i in range(num_clusters):
cluster_points = embeddings_2d[kmeans_labels == i]
if len(cluster_points) >= 3: # ConvexHull requires at least 3 points
hull = ConvexHull(cluster_points)
hull_points = cluster_points[hull.vertices]
plt.fill(hull_points[:, 0], hull_points[:, 1], alpha=0.2,
color=cmap(i), label=f'Cluster {i+1}')
# Annotate with the top 4 cluster names at the centroid location
cluster_centroid_2d = np.mean(cluster_points, axis=0)
# Join the top 4 words into a string with commas for cleaner display
cluster_name_text = '\n'.join(cluster_names[i]).upper()
# Annotate with the top words at the centroid, with slightly smaller font size
plt.text(cluster_centroid_2d[0], cluster_centroid_2d[1], cluster_name_text,
fontsize=8, ha='center', color='black')
# Step 10: Custom legend to show colors and shapes for each label
plt.title("2D UMAP Visualization of Word Embeddings with K-means Clusters")
plt.xlabel("UMAP Dimension 1")
plt.ylabel("UMAP Dimension 2")
legend_elements = [Line2D([0], [0], marker=marker_styles[i % len(marker_styles)], color='w',
markerfacecolor=color_map[label], markersize=10, label=label)
for i, label in enumerate(unique_labels)]
plt.legend(
handles=legend_elements,
title="Literature",
loc="lower center",
bbox_to_anchor=(0.5, -0.2), # Position it just below the plot
ncol=len(unique_labels), # Arrange legend items in a single row
frameon=False # Optional: Remove legend box frame
)
# Adjust layout to ensure the legend is not clipped
plt.tight_layout()
# Step 11: Save the plot in high resolution
plt.savefig('word_embeddings_kmeans.png', dpi=600, bbox_inches='tight')
# Show the plot
plt.show()


import torch
from transformers import AutoModel, AutoTokenizer
import pandas as pd
import numpy as np
from sklearn.metrics.pairwise import cosine_similarity
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid') # You can change this to any available style
plt.rcParams['font.family'] = 'serif'
# Define the sets of words
# Combine all sets into a single list with labels
word_sets = sets
word_sets = {label: {word.lower() for word in words} for label, words in word_sets.items()}
# Load model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
print("Loading model and tokenizer...")
model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Function to get embedding for a word
def get_embedding(word):
inputs = tokenizer(word, return_tensors="pt")
outputs = model(**inputs)
return outputs.last_hidden_state.mean(dim=1).detach().numpy()
# Collect embeddings
embeddings = []
words = []
labels = []
for label, words_set in word_sets.items():
for word in words_set:
embedding = get_embedding(word)
embeddings.append(embedding)
words.append(word)
labels.append(label)
# Create a DataFrame with words, labels, and embeddings
embedding_df = pd.DataFrame({
"Word": words,
"Label": labels,
"Embedding": [emb[0] for emb in embeddings]
})
# Pivot the DataFrame to have the set labels as columns
pivoted_df = embedding_df.pivot(index="Word", columns="Label", values="Embedding")
# Flatten the embeddings (if you want to display them properly as vectors, you might want to separate them)
# Convert the embedding vectors to string for display purposes (or keep them as arrays if you're working with them in computations)
pivoted_df = pivoted_df.applymap(lambda x: str(x.tolist()) if isinstance(x, np.ndarray) else x)
<string>:4: FutureWarning: DataFrame.applymap has been deprecated. Use DataFrame.map instead.
# Display the pivoted DataFrame
print(pivoted_df)
Label Bajta ... Usman
Word ...
absolute NaN ... NaN
accessibility level NaN ... NaN
accuracy level.value NaN ... [1.221323013305664, -2.9064228534698486, 0.267...
accuracy measure.not used NaN ... [0.8682874441146851, -2.1167731285095215, 0.68...
accuracy measure.other NaN ... [1.2351722717285156, -2.535403251647949, 1.183...
... ... ... ...
web objects NaN ... NaN
web page allocation NaN ... NaN
web page count NaN ... NaN
web software application NaN ... NaN
work team level NaN ... NaN
[346 rows x 6 columns]

#3D PLOT
import plotly.express as px
import pandas as pd
import numpy as np
import torch
from transformers import AutoModel, AutoTokenizer
import umap.umap_ as umap
from sklearn.preprocessing import LabelEncoder
import matplotlib.pyplot as plt
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid') # You can change this to any available style
plt.rcParams['font.family'] = 'serif'
# Step 2: Flatten the sets into a dataframe (assuming sets is already defined)
words = []
labels = []
for label, words_set in sets.items():
for word in words_set:
words.append(word)
labels.append(label)
# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})
# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
print("Loading model and tokenizer...")
model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Step 4: Get the embeddings for each word
def get_embeddings(word):
inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
with torch.no_grad():
outputs = model(**inputs)
return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()
embeddings = np.array([get_embeddings(word) for word in df['Word']])
# Step 5: Perform 3D UMAP (with 3 components)
umap_model = umap.UMAP(n_components=3, random_state=5)
embeddings_3d = umap_model.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning:
n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
# Step 6: Convert string labels to numeric labels for coloring
label_encoder = LabelEncoder()
numeric_labels = label_encoder.fit_transform(labels)
# Step 7: Create the interactive 3D plot with Plotly
fig = px.scatter_3d(df, x=embeddings_3d[:, 0], y=embeddings_3d[:, 1], z=embeddings_3d[:, 2],
color=labels, text=words,
labels={'x': 'UMAP Dimension 1', 'y': 'UMAP Dimension 2', 'z': 'UMAP Dimension 3'},
title="3D UMAP Visualization of Word Embeddings")
# Customize the layout for better viewing
fig.update_traces(marker=dict(size=5, opacity=0.8), selector=dict(mode='markers+text'))
fig.update_layout(scene=dict(xaxis_title='UMAP Dimension 1',
yaxis_title='UMAP Dimension 2',
zaxis_title='UMAP Dimension 3'))
plt.savefig('3d_word_embedding.png', dpi=300, bbox_inches='tight')
# Show the interactive plot
fig.show()

import torch
from transformers import AutoModel, AutoTokenizer
import pandas as pd
import numpy as np
from sklearn.metrics.pairwise import cosine_similarity
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid') # You can change this to any available style
plt.rcParams['font.family'] = 'serif'
# Define the sets of words
sets=sets
# Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
print("Loading model and tokenizer...")
model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Function to normalize text to lowercase
def normalize_words(words):
return {word.lower() for word in words}
# Normalize all words in the sets to lowercase
normalized_sets = {set_name: normalize_words(word_set) for set_name, word_set in sets.items()}
# Function to get embeddings for a list of words
def get_embeddings(words):
inputs = tokenizer(list(words), padding=True, truncation=True, return_tensors='pt')
with torch.no_grad():
embeddings = model(**inputs).last_hidden_state.mean(dim=1) # Mean pooling
return embeddings
# Create a dictionary to store the embeddings of each set
embeddings = {}
for set_name, word_set in normalized_sets.items():
embeddings[set_name] = get_embeddings(word_set)
# Create a function to calculate the semantic similarity between sets
def compute_similarity(set1, set2):
# Get the embeddings for both sets
embeddings1 = embeddings[set1]
embeddings2 = embeddings[set2]
# Calculate cosine similarity between all pairs of words in set1 and set2
sim_matrix = cosine_similarity(embeddings1, embeddings2)
return sim_matrix
# Create a similarity matrix for each pair of sets
similarity_results = {}
for set1 in normalized_sets.keys():
for set2 in normalized_sets.keys():
if set1 != set2:
sim_matrix = compute_similarity(set1, set2)
similarity_results[(set1, set2)] = sim_matrix
# Create a simple table to store the similarity values
similarity_table = []
# Populate the table with word pairs and their cosine similarity values
for (set1, set2), sim_matrix in similarity_results.items():
for i, word1 in enumerate(normalized_sets[set1]):
for j, word2 in enumerate(normalized_sets[set2]):
similarity_table.append({
"Set 1": set1,
"Word 1": word1,
"Set 2": set2,
"Word 2": word2,
"Cosine Similarity": sim_matrix[i, j]
})
# Convert the table to a DataFrame for better display
similarity_df = pd.DataFrame(similarity_table)
# Filter the DataFrame to keep only cosine similarities above 0.7
similarity_df_filtered = similarity_df[similarity_df['Cosine Similarity'] > 0]
# Create an empty table to store the words that are similar
common_words_table = pd.DataFrame(index=sets.keys(), columns=sets.keys(), dtype=object)
# Populate the table with word pairs that have similarity above 0.7
for index, row in similarity_df_filtered.iterrows():
set1 = row['Set 1']
word1 = row['Word 1']
set2 = row['Set 2']
word2 = row['Word 2']
# Check if the cell is empty or needs to be updated with word pairs
if pd.isna(common_words_table.at[set1, set2]):
common_words_table.at[set1, set2] = f"{word1} - {word2}"
else:
common_words_table.at[set1, set2] += f", {word1} - {word2}"
# Display the table showing the common word pairs
print(common_words_table)
Bajta ... Usman
Bajta NaN ... number of team members - dynamic systems devel...
Britto_2017 in-house experience - number of team members, ... ... in-house experience - dynamic systems developm...
Britto_2016 centralized - number of team members, centrali... ... centralized - dynamic systems development meth...
Dashti legal entity - number of team members, legal e... ... legal entity - dynamic systems development met...
Mendes interval - number of team members, interval - ... ... interval - dynamic systems development method,...
Usman dynamic systems development method - number of... ... NaN
[6 rows x 6 columns]

import pandas as pd
from pandas.io.formats.style import Styler
# Step 1: Define the color map for each set
set_colors = {
"Bajta": "yellow",
"Britto_2016": "blue",
"Britto_2017": "green",
"Dashti": "red",
"Mendes": "purple",
"Usman": "orange"
}
# Create the HTML content for the legend
legend_html = "<div style='font-weight: bold; margin-bottom: 10px;'>Legend:</div>"
for set_name, color in set_colors.items():
legend_html += f"<div><span style='color:{color};'>●</span> {set_name}</div>"
# Step 2: Create the common words table (we will assume this step has already been completed and filtered)
common_words_table = pd.DataFrame(index=sets.keys(), columns=["Words", "Relations"])
# Step 3: Populate the common words table with colored word pairs
for index, row in similarity_df_filtered.iterrows():
set1 = row['Set 1']
word1 = row['Word 1']
set2 = row['Set 2']
word2 = row['Word 2']
# Color the words based on the sets
word1_colored = f'<span style="color:{set_colors[set1]}">{word1}</span>'
word2_colored = f'<span style="color:{set_colors[set2]}">{word2}</span>'
# Find the row corresponding to set1
current_row = common_words_table.loc[set1]
if pd.isna(current_row['Words']):
common_words_table.at[set1, 'Words'] = word1
common_words_table.at[set1, 'Relations'] = word2_colored
else:
common_words_table.at[set1, 'Words'] += f", {word1}"
common_words_table.at[set1, 'Relations'] += f", {word2_colored}"
# Step 4: Use `map` to apply the coloring function
def colorize_words(word):
"""
Function to apply color to words using the <span> HTML tag.
"""
return f"color: {word.split(':')[1]}" if isinstance(word, str) and word.startswith('<span') else ''
# Step 5: Apply the styling to the DataFrame
styled_table = common_words_table.style.applymap(colorize_words, subset=["Words", "Relations"])
<string>:3: FutureWarning:
Styler.applymap has been deprecated. Use Styler.map instead.
# Display the styled table (if using Jupyter or IPython environment)
styled_table
| Words | Relations | |
|---|---|---|
| Bajta | number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, security, security, security, security, security, security, security, security, security, security, security, security, security, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, design, design, design, design, design, design, design, design, design, design, design, design, design, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, security, security, security, security, security, security, security, security, security, security, security, security, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, design, design, design, design, design, design, design, design, design, design, design, design, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance | in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points |
| Britto_2017 | in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count | number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points |
| Britto_2016 | centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, location, location, location, location, location, location, location, location, location, location, location, location, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed | number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points |
| Dashti | legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment | number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points |
| Mendes | interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, length, length, length, length, length, length, length, length, length, length, length, length, length, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, media, media, media, media, media, media, media, media, media, media, media, media, media, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, length, length, length, length, length, length, length, length, length, length, length, length, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, media, media, media, media, media, media, media, media, media, media, media, media, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation | number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points, dynamic systems development method, three point type, function points, education, extreme programming, number of entities estimated, transportation, unit.other, expert judgement, team's prior experience.not considered, customized scrum, task, crystal, bias of relative error, distributed teams.not considered, distributed: far offshore, median magnitude of relative error, communications industry, performance, maintenance, accuracy measure.not used, estimated activities.all, planning level.bidding, accuracy measure.other, estimate value(s), kanban, use case, team size.value, analysis, team's skill level.considered, customized extreme programming, considered without any metric, security, estimation technique.other, non functional requirements.not considered, pair/days, government/military, non functional requirements.other, user story, project somain.other, user case points, distribution type, estimation entity.other, availability, reliability, distributed teams.not applicable, implementation, manufacturing, scrum, use case points method, financial, team's skill level.not considered, type.single, ideal hours, maintainability, testing, type.group, distributed: close onshore, point type, customer communication.not considered, planning level.sprint, distributed: distant onshore, not used effort predictors, distributed teams.considered, planning level.release, team's prior experience.considered, mean magnitude of relative error, analogy, house/days, actual effort.value, accuracy level.value, project setting.co-located, feature-driven development, health, planning level.daily, planning poker, other effort predictors, distributed: near offshore, customer communication.considered, design, retail/wholesale, other type, story points |
| Usman | dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, education, education, education, education, education, education, education, education, education, education, education, education, education, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, task, task, task, task, task, task, task, task, task, task, task, task, task, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, security, security, security, security, security, security, security, security, security, security, security, security, security, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, health, health, health, health, health, health, health, health, health, health, health, health, health, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, design, design, design, design, design, design, design, design, design, design, design, design, design, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, education, education, education, education, education, education, education, education, education, education, education, education, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, task, task, task, task, task, task, task, task, task, task, task, task, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, security, security, security, security, security, security, security, security, security, security, security, security, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, health, health, health, health, health, health, health, health, health, health, health, health, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, design, design, design, design, design, design, design, design, design, design, design, design, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points | number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, number of team members, project activities.other, reliability, maintenance, machine learning, staff/cost, detail planning, estimated value, project domain.other, implementation, telecommunication, producte requirement.other, systems engineering, socio-cultural distance, geographical distance, finance, expert judgment, individual, feasibility study, statistics analysis, preliminary planning, near offshore, healthcare, fuzzy similar, capability maturity model integration, team structure.not considered, constructive cost model, portfolio, genetic algorithms, system investigation, non-machine learning, far offshore, size report, actual cost.value, analysis, case-based reasoning, conceptualization, planning approaches.other, number of sites.value, security, maintainability, execution, testing, team experience.not considered, temporal distance, group-based estimation, commissioning, effort hours, agile, risk, close onshore, team structure.considered, baseline comparison, design, hardware, team experience.considered, sensitivity analysis, delphi, availability, distant onshore, variation reduction, performance, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, in-house experience, reusability level, object-oriented function points, reused media allocation, domain experience level, requirements clarity level, concern module count, cluster count, new media count, model slot size, data flow complexity, requirements volatility level, inner/sub concern count, interface complexity, flexibility level, motivation level, development restriction, entity count, compactness, concurrency level, team size, attribute count, spi program, focus factor, model link complexity, stability level, software reuse, semantic association count, low feature count, media duration, model node size, it literacy, publishing model unit count, usability level, testability level, client.personality, structure, database size, architecture, processing requirements, metrics’ program, cluster slot count, reused component count, project management level, international function point users group, component granularity level, web page allocation, lines of code, novelty level, scalability level, data usage complexity, documentation level, anchor count, media count, operational mode, class coupling, feature count, product.type, high feature count, reused comment count, risk level, object-oriented heuristic function points, cohesion complexity, use case count, design volatility, resource level, slot count, authoring tool type, model association complexity, accessibility level, mapped workflows, server script count, reused media count, reused lines of code, storage constraint, cluster node size, cohesion, tool experience level, module count, work team level, component complexity, process efficiency level, oo experience level, program count, collection slot size, deployment platform experience level, diffusion cut count, quality level, media allocation, productivity level, module point cut count, reused program count, connectivity density, new web page count, indifferent concern count, readability level, client script count, security level, component slot count, segment count, programming language experience level, availability level, communication level, memory efficiency level, link count, control flow complexity, web objects, concern coupling, experience level, platform volatility level, reliability level, requirements novelty level, innovation level, portability level, number of programming languages, operation count, project.type, team capability, input complexity, installability level, slot granularity level, maintainability level, adaptation complexity, page complexity, collection center slot count, time restriction, node count, reused low feature count, software development experience, modularity level, time efficiency level, association slot size, statement count, node slot size, publishing unit count, association center slot count, component count, common software measurement international consortium, information slot count, data web points, trainability level, new complexity, reused high feature count, cyclomatic complexity, robustness level, integration with legacy systems, total complexity, rapid app development, web page count, infrastructure, comment count, class complexity, difficulty level, lessons learned repository, module attribute count, platform support level, number of projects in parallel, layout complexity, technical factors, output complexity, concern operation count, stratum, model collection complexity, section count, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, centralized, legal entity, estimation stage.early & late, location, estimator & provider, provider, geographic distance, estimator, temporal distance, estimation stage.late, semi-distributed, estimation stage.early, distributed, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, legal entity, artificial neural networks, software evaluation and estimation for risk, software life cycle management, evolutionary, analogy-based, constructive cost model, swarm, basic-combination, fuzzy logic, ai-combined hybrid, expert judgment, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation, interval, late size metric, web application, program/sript, web software application, absolute, length, ratio, media, indirect, specific, functionality, early size metric, validation.none, direct, solution-oriented metric, validated theoretically, complexity, ordinal, web hypermedia application, nominal, validation.both, validated empirically, problem-oriented metric, nonspecific, motivation |
# Save the styled table to an HTML file using to_html()
html_output = styled_table.to_html()
html_output = legend_html + "<br>" + html_output
# Specify the filename where you want to save the table
file_path = 'colored_table.html'
# Write the HTML content to the file
with open(file_path, 'w') as file:
file.write(html_output)
6612092
print(f"Styled table saved to {file_path}")
Styled table saved to colored_table.html
import pandas as pd
from openpyxl import Workbook
from openpyxl.styles import Font, Alignment
from openpyxl.utils.dataframe import dataframe_to_rows
from openpyxl.styles.colors import Color
from bs4 import BeautifulSoup
from collections import defaultdict
# Define the color map for sets
set_colors = {
"Bajta": "#66c2a5", # Light green
"Britto_2016": "#fc8d62", # Orange
"Britto_2017": "#8da0cb", # Blue
"Dashti": "#e78ac3", # Pink
"Mendes": "#a6d854", # Light green
"Usman": "#ff7f00" # Dark orange
}
# Initialize a dictionary to store words grouped by similarity
grouped_words = defaultdict(set)
# Iterate over the similarity dataframe
similarity_df_filtered.loc[similarity_df_filtered["Set 1"] == "Bajta", "Word 1"].unique()
array(['number of team members', 'project activities.other',
'reliability', 'maintenance', 'machine learning', 'staff/cost',
'detail planning', 'estimated value', 'project domain.other',
'implementation', 'telecommunication',
'producte requirement.other', 'systems engineering',
'socio-cultural distance', 'geographical distance', 'finance',
'expert judgment', 'individual', 'feasibility study',
'statistics analysis', 'preliminary planning', 'near offshore',
'healthcare', 'fuzzy similar',
'capability maturity model integration',
'team structure.not considered', 'constructive cost model',
'portfolio', 'genetic algorithms', 'system investigation',
'non-machine learning', 'far offshore', 'size report',
'actual cost.value', 'analysis', 'case-based reasoning',
'conceptualization', 'planning approaches.other',
'number of sites.value', 'security', 'maintainability',
'execution', 'testing', 'team experience.not considered',
'temporal distance', 'group-based estimation', 'commissioning',
'effort hours', 'agile', 'risk', 'close onshore',
'team structure.considered', 'baseline comparison', 'design',
'hardware', 'team experience.considered', 'sensitivity analysis',
'delphi', 'availability', 'distant onshore', 'variation reduction',
'performance'], dtype=object)
similarity=0.9
for index, row in similarity_df_filtered.iterrows():
if row['Cosine Similarity'] >= similarity:
word1 = row['Word 1']
word2 = row['Word 2']
set1 = row['Set 1']
set2 = row['Set 2']
# Add words to the grouped dictionary with their respective sets
grouped_words[word1].add(set1)
grouped_words[word2].add(set2)
# Prepare the data for the final table
table_rows = []
for word, sets in grouped_words.items():
# Color the words based on the sets they belong to
color_coded_words = []
for set_name in sets:
# Assign the color based on the set
color = set_colors[set_name]
colored_word = f'<span style="color:{color}">{word}</span>'
color_coded_words.append(colored_word)
# Prepare the row for this word and its sets
sets_str = ", ".join([f'<span style="color:{set_colors[set_name]}">{set_name}</span>' for set_name in sets])
table_rows.append({
"Categories": ", ".join(color_coded_words), # Join words with their color applied
"Taxonomies": sets_str # Color-coded sets
})
# Convert to a DataFrame
final_table = pd.DataFrame(table_rows)
# Collapse the table by the "Sets" column, merging words that have the same "Sets"
collapsed_table = final_table.groupby('Taxonomies', as_index=False).agg({
'Categories': lambda x: ''.join(
[f'<div style="text-align:center;">{word.title()}</div>' for word in sorted(x.str.cat(sep=', ').split(', '))]
) # Capitalize, center-align each word, and add line breaks
})
# Display the collapsed table with HTML rendering
table_title = f"<h1>Grouped Words with Color-Coded Taxonomies (Similarity ≥ {similarity})</h1>"
collapsed_html_output_table = collapsed_table.to_html(escape=False) # escape=False allows HTML in the table
collapsed_html_output = table_title + collapsed_html_output_table
# Save the collapsed HTML output to a file
collapsed_file_path = 'collapsed_grouped_words_table_colored.html'
with open(collapsed_file_path, 'w') as file:
file.write(collapsed_html_output)
6198
print(f"Collapsed styled table saved to {collapsed_file_path}")
Collapsed styled table saved to collapsed_grouped_words_table_colored.html
# Save the Excel file with colors
excel_file_path = 'collapsed_grouped_words_table_colored.xlsx'
wb = Workbook()
ws = wb.active
ws.title = "Colored Table"
# Write the header
header = list(collapsed_table.columns)
ws.append(header)
# Write the rows with formatting
for row in collapsed_table.itertuples(index=False):
# Parse "Categories" HTML for coloring
categories_cell = row.Categories
taxonomies_cell = row.Taxonomies
# Parse HTML using BeautifulSoup
soup = BeautifulSoup(categories_cell, "html.parser")
formatted_words = []
for div in soup.find_all('div'):
word = div.text.strip()
style = div.get('style', '')
color = None
if 'color:' in style:
color = style.split('color:')[1].split(';')[0].strip()
formatted_words.append((word, color))
# Create the row for Excel
ws_row = [None] * len(header)
ws_row[0] = formatted_words # Categories with colors
ws_row[1] = taxonomies_cell # Taxonomies plain text
# Write the row to the sheet
row_num = ws.max_row + 1
for col_num, value in enumerate(ws_row, start=1):
cell = ws.cell(row=row_num, column=col_num)
if col_num == 1 and value: # Apply formatting to "Categories"
for word, color in value:
cell.value = word
cell.alignment = Alignment(horizontal="center", wrap_text=True)
if color:
cell.font = Font(color=color)
else:
cell.value = value
# Save Excel file
wb.save(excel_file_path)
print(f"Excel file saved to {excel_file_path}")
Excel file saved to collapsed_grouped_words_table_colored.xlsx
import pandas as pd
from openpyxl import Workbook
# Prepare the data for the final table (no grouping by cosine similarity or color coding)
table_rows = []
for index, row in similarity_df_filtered.iterrows():
word1 = row['Word 1']
set1 = row['Set 1']
# Add the word and its associated taxonomy
table_rows.append({
"Categories": word1.capitalize(), # Capitalize the word
"Taxonomies": set1 # The taxonomy (set)
})
# Convert to a DataFrame
final_table = pd.DataFrame(table_rows)
# Collapse the table by the "Taxonomies" column, merging words that have the same "Taxonomies" and removing duplicates
collapsed_table = final_table.groupby('Taxonomies', as_index=False).agg({
'Categories': lambda x: ', '.join(sorted(set(x))) # Remove duplicates by converting to set and sort alphabetically
})
# Now we need to group the words in "Categories" by their starting letter
def group_by_first_letter(categories):
# Split categories into a list
words = categories.split(', ')
# Group words by the first letter
grouped = {}
for word in words:
first_letter = word[0].upper() # Get the first letter and capitalize it
if first_letter not in grouped:
grouped[first_letter] = []
grouped[first_letter].append(word)
# Sort each group alphabetically
for letter in grouped:
grouped[letter] = sorted(grouped[letter])
# Create the formatted string with bold letter and line breaks
formatted_output = ""
for letter, words in sorted(grouped.items()):
# Bold the first letter and add a line break after each group
formatted_output += f"<b>{letter}:</b> {', '.join(words)}<br><br>"
return formatted_output
# Apply the grouping function to the "Categories" column
collapsed_table['Categories'] = collapsed_table['Categories'].apply(group_by_first_letter)
# Display the collapsed table without HTML rendering (plain table)
collapsed_html_output_table = collapsed_table.to_html(escape=False) # escape=False if any HTML is present
# Save the collapsed HTML output to a file
collapsed_file_path = 'collapsed_grouped_words_table_grouped_bold.html'
with open(collapsed_file_path, 'w') as file:
file.write(collapsed_html_output_table)
9117
print(f"Collapsed grouped table saved to {collapsed_file_path}")
Collapsed grouped table saved to collapsed_grouped_words_table_grouped_bold.html
# Save the Excel file (plain, no color formatting)
excel_file_path = 'collapsed_grouped_words_table_grouped_bold.xlsx'
wb = Workbook()
ws = wb.active
ws.title = "Grouped Table"
# Write the header
header = list(collapsed_table.columns)
ws.append(header)
# Write the rows without any color formatting
for row in collapsed_table.itertuples(index=False):
ws_row = [row.Categories, row.Taxonomies]
ws.append(ws_row)
# Save Excel file
wb.save(excel_file_path)
print(f"Excel file saved to {excel_file_path}")
Excel file saved to collapsed_grouped_words_table_grouped_bold.xlsx
import pandas as pd
import numpy as np
from matplotlib import cm
# Define the colormap
viridis_colormap = cm.Set2(np.linspace(0, 1, 6)) # Get 6 distinct colors from the colormap
# Create a color mapping based on the viridis colormap
color_mapping = {
"Bajta": f'rgb({int(viridis_colormap[0, 0]*255)}, {int(viridis_colormap[0, 1]*255)}, {int(viridis_colormap[0, 2]*255)})',
"Britto_2016": f'rgb({int(viridis_colormap[1, 0]*255)}, {int(viridis_colormap[1, 1]*255)}, {int(viridis_colormap[1, 2]*255)})',
"Britto_2017": f'rgb({int(viridis_colormap[2, 0]*255)}, {int(viridis_colormap[2, 1]*255)}, {int(viridis_colormap[2, 2]*255)})',
"Dashti": f'rgb({int(viridis_colormap[3, 0]*255)}, {int(viridis_colormap[3, 1]*255)}, {int(viridis_colormap[3, 2]*255)})',
"Mendes": f'rgb({int(viridis_colormap[4, 0]*255)}, {int(viridis_colormap[4, 1]*255)}, {int(viridis_colormap[4, 2]*255)})',
"Usman": f'rgb({int(viridis_colormap[5, 0]*255)}, {int(viridis_colormap[5, 1]*255)}, {int(viridis_colormap[5, 2]*255)})'
}
# Create an empty DataFrame to store the new table
colored_words_table = pd.DataFrame(index=sets.keys(), columns=["Words"])
# Iterate through the filtered similarity DataFrame to populate the colored table
for index, row in similarity_df_filtered.iterrows():
set1 = row['Set 1']
word1 = row['Word 1']
set2 = row['Set 2']
word2 = row['Word 2']
# Apply colors to words
colored_word1 = f'<span style="color: {color_mapping[set1]}">{word1}</span>'
colored_word2 = f'<span style="color: {color_mapping[set2]}">{word2}</span>'
# For each set, append the related words in colored format
for set_name in sets.keys():
if set_name == set1:
current_words = colored_words_table.at[set_name, "Words"]
new_entry = f"{colored_word1} --> {colored_word2}"
if pd.isna(current_words):
colored_words_table.at[set_name, "Words"] = new_entry
else:
# Add the new entry and sort all entries alphabetically
current_entries = current_words.split("<br>")
current_entries.append(new_entry)
sorted_entries = sorted(current_entries, key=lambda x: x.lower()) # Sort alphabetically (case insensitive)
colored_words_table.at[set_name, "Words"] = "<br>".join(sorted_entries)
# Generate the legend HTML
legend_html = "<div><strong>Legend:</strong><br>"
for set_name, color in color_mapping.items():
legend_html += f'<span style="background-color: {color}; padding: 5px; color: white; margin-right: 10px;">{set_name}</span>'
legend_html += "</div><br>"
# Convert the DataFrame to an HTML string, preserving the inline style
html_output = legend_html + colored_words_table.to_html(escape=False)
# Specify the filename where you want to save the table
file_path = 'colored_table_with_breaks_and_sorted.html'
# Write the HTML content to the file
with open(file_path, 'w') as file:
file.write(html_output)
print(f"Styled and sorted table saved to {file_path}")
import pandas as pd
# Define the color for each set
set_colors = {
"Bajta": "yellow",
"Britto_2016": "blue",
"Britto_2017": "green",
"Dashti": "red",
"Mendes": "purple",
"Usman": "orange"
}
# Define the word pairs between sets (example, based on your actual word pairs)
# The format will be like (Set name, Word, Related Set, Related Word)
word_pairs = [
("Bajta", "word1", "Britto_2016", "word2"),
("Bajta", "word3", "Britto_2017", "word4"),
("Britto_2016", "word5", "Dashti", "word6"),
("Mendes", "word7", "Usman", "word8"),
# Add more word pairs here as needed
]
# Create a dictionary to hold the word pairs for each set
word_dict = {set_name: [] for set_name in set_colors.keys()}
# Fill the word dictionary with word pairs
for set1, word1, set2, word2 in word_pairs:
word_dict[set1].append(f"<span style='color:{set_colors[set1]};'>{word1}</span>")
word_dict[set2].append(f"<span style='color:{set_colors[set2]};'>{word2}</span>")
# Create a DataFrame to store the table data
# Each row will represent a set and the column will contain the words in that set
table_data = []
# For each set, add the words it contains and their related words from other sets
for set_name, words in word_dict.items():
related_words = ', '.join(words)
table_data.append([set_name, related_words])
# Convert the data to a DataFrame
df = pd.DataFrame(table_data, columns=["Set", "Related Words"])
# Function to style the table (custom colorize applied already in the word pairs)
def colorize_table(val):
return val # No extra styling is needed as the words are already colored
# Apply the style
styled_table = df.style.applymap(colorize_table)
# Add the legend at the top (HTML)
legend_html = "<div style='font-weight: bold; margin-bottom: 10px;'>Legend:</div>"
for set_name, color in set_colors.items():
legend_html += f"<div><span style='color:{color};'>●</span> {set_name}</div>"
# Convert the styled table to HTML (use to_html instead of render)
html_output = styled_table.to_html()
# Combine the legend and the table
full_html_output = legend_html + "<br>" + html_output
# Specify the filename where you want to save the table
file_path = 'colored_table_with_legend.html'
# Write the combined HTML (legend + table) to the file
with open(file_path, 'w') as file:
file.write(full_html_output)
print(f"Styled table with legend saved to {file_path}")
from sklearn.manifold import TSNE
import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import seaborn as sns
sets = {
'Bajta': {"Agile", "Analysis", "Availability", "Baseline comparison", "Bidding", "CBR", "CMMI", "COCOMO", "Commissioning", "Conceptualization", "Delphi", "Detail planning", "Design", "Distant onshore", "Expert judgment", "Estimated value", "Execution", "Effort hours", "Feasibility study", "Finance", "Fuzzy similarity", "GA", "Group-based estimation", "Healthcare", "Hardware", "Implementation", "Individual", "Machine learning", "Maintainability", "Maintenance", "Near offshore", "Non-machine learning", "Not considered", "Number of team members", "Performance", "Portfolio", "Preliminary planning", "Reliability", "Research & development", "Risk", "Security", "Sensitivity analysis", "Size report", "Socio-cultural distance", "Statistical analysis", "Staff/cost", "System investigation", "Temporal distance", "Testing", "Value", "Variation reduction"},
'Britto_2017': {"Accessibility level", "Adaptation complexity", "Anchor count", "Architecture", "Association center slot count", "Association slot size", "Attribute count", "Authoring tool type", "Availability level", "Class complexity", "Class coupling", "Client script count", "Cluster count", "Cluster node size", "Cluster slot count", "Cohesion", "Cohesion complexity", "Collection center slot count", "Collection slot size", "Comment count", "Communication level", "Compactness", "Component complexity", "Component count", "Component granularity level", "Component slot count", "Concern coupling", "Concern module count", "Concern operation count", "Concurrency level", "Connectivity density", "Control flow complexity", "Cyclomatic complexity", "Data Web points", "Data flow complexity", "Data usage complexity", "Database size", "Deployment platform experience level", "Design volatility", "Development restriction", "Difficulty level", "Diffusion cut count", "Documentation level", "Domain experience level", "Entity count", "Experience level", "Feature count", "Flexibility level", "Focus factor", "High feature count", "IT literacy", "In-house experience", "Indifferent concern count", "Information slot count", "Infrastructure", "Inner/sub concern count", "Innovation level", "Input complexity", "Installability level", "Integration with legacy systems", "Interface complexity", "International Function Point Users Group", "Layout complexity", "Lessons learned repository", "Lines of code", "Link count", "Low feature count", "Maintainability level", "Mapped workflows", "Media allocation", "Media count", "Media duration", "Memory efficiency level", "Metrics program", "Model association complexity", "Model collection complexity", "Model link complexity", "Model node size", "Model slot size", "Modularity level", "Module attribute count", "Module count", "Module point cut count", "Motivation level", "New Web page count", "New complexity", "New media count", "Node count", "Node slot size", "Novelty level", "Number of programming languages", "Number of projects in parallel", "OO experience level", "Object-Oriented Function Points", "Operation count", "Operational mode", "Output complexity", "Page complexity", "Personality", "Platform support level", "Platform volatility level", "Portability level", "Process efficiency level", "Processing requirements", "Productivity level", "Program count", "Programming language experience level", "Project management level", "Publishing model unit count", "Publishing unit count", "Quality level", "Rapid app development", "Readability level", "Reliability level", "Requirements clarity level", "Requirements novelty level", "Requirements volatility level", "Resource level", "Reusability level", "Reused comment count", "Reused component count", "Reused high feature count", "Reused lines of code", "Reused low feature count", "Reused media allocation", "Reused media count", "Reused program count", "Risk level", "Robustness level", "SPI program", "Scalability level", "Section count", "Security level", "Segment count", "Semantic association count", "Server script count", "Slot count", "Slot granularity level", "Software development experience", "Software reuse", "Stability level", "Statement count", "Storage constraint", "Structure", "Team capability", "Team size", "Technical factors", "Testability level", "Time efficiency level", "Time restriction", "Tool experience level", "Total complexity", "Trainability level", "Type", "Usability level", "Use case count", "Web objects", "Web page allocation", "Web page count", "Work Team level"},
'Britto_2016': {"Centralized", "distributed", "Early", "Estimator", "Early & Late", "Estimator & Provider", "geographic distance", "geographic distance", "late", "legal entity", "location", "provider", "semi-distributed", "temporal distance", "temporal distance"},
'Dasthi': {"ANN", "Analogy Base", "COCOMO", "Evolutionary", "Expert Judgment", "FUZZY", "SEER-SEM", "SLIM", "Swarm"},
'Mendes': {"Absolute", "both", "complexity", "functionality", "Directly", "Early size metric", "Empirically", "indirectly", "interval", "Length", "late size metric", "media", "none", "Nominal", "nonspecific", "ordinal", "other", "Problem oriented metric", "program/script", "ratio", "solution oriented metric", "Specific", "theoretically", "Web application", "Web hypermedia application", "Web software application"},
'Usman': {"Analysis", "all", "analogy", "availability", "bidding", "Close Onshore", "Co-located", "Communications industry", "Considered", "crystal", "customized XP", "customized scrum", "daily", "design", "distribution", "education", "expert judgement", "DSDM", "Distant Onshore", "Estimate value(s)", "FDD", "Far Offshore", "financial", "function points", "Hours/days", "health", "ideal hours", "implementation", "kanban", "maintainability", "maintenance", "manufacturing", "MMRE", "MdMRE", "Near Offshore", "No. of team members", "not applicable", "not considered", "not used", "Other", "Performance", "Planning poker", "Point", "pair days", "Release", "reliability", "retail/wholesale", "Single", "scrum", "security", "sprint", "Story points", "testing", "three point", "task", "transportation", "UC points", "User story", "Value", "XP"}
}
normalized_sets = {set_name: normalize_words(word_set) for set_name, word_set in sets.items()}
# Create a dictionary to store the embeddings of each set
embeddings = {}
all_words = []
word_to_set = {}
for set_name, word_set in normalized_sets.items():
embeddings[set_name] = get_embeddings(word_set)
all_words.extend(list(word_set))
for word in word_set:
word_to_set[word] = set_name
# Create an array of all embeddings
all_embeddings = torch.cat([embeddings[set_name] for set_name in normalized_sets], dim=0)
# Map sets to colors
set_colors = {set_name: sns.color_palette("Set2")[i] for i, set_name in enumerate(sets.keys())}
word_colors = [set_colors[word_to_set[word]] for word in all_words]
# Apply t-SNE to reduce the dimensionality of the embeddings to 2D
tsne = TSNE(n_components=2, random_state=5)
reduced_embeddings = tsne.fit_transform(all_embeddings)
# Initialize figure
plt.figure(figsize=(16, 12))
# Track words already labeled
labeled_words = {}
# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
# Color and position each word's dot
plt.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1],
c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
# Check if the word has appeared before
if word not in labeled_words:
# If first occurrence, label it and choose red if shared
color = 'red' if all_words.count(word) > 1 else 'black'
text = plt.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], word.upper(),
fontsize=5, color=color)
labeled_words[word] = text # Track labeled words for adjustText
# Adjust the positions of labels to avoid overlap
adjust_text(list(labeled_words.values()), only_move={'points': 'xy'}, force_text=0.75, expand_text=(1.5, 1.5))
([Text(12.01634388027653, -2.8412444387163376, 'CBR'), Text(-9.23841644115025, 13.335451693761922, 'NUMBER OF TEAM MEMBERS'), Text(3.1025265356994467, 6.890803184963406, 'RELIABILITY'), Text(3.1410603201197063, 4.375450007120765, 'MAINTENANCE'), Text(21.769768491512338, 15.945515612193521, 'MACHINE LEARNING'), Text(-11.388376558766254, 15.60318338076274, 'STAFF/COST'), Text(0.02630343857311601, -5.002265025320508, 'DETAIL PLANNING'), Text(26.498784100028786, 6.384292409533547, 'ESTIMATED VALUE'), Text(2.7568874892688555, -2.9032911016827825, 'IMPLEMENTATION'), Text(9.81322964358715, -22.656185758681524, 'SOCIO-CULTURAL DISTANCE'), Text(10.579976759341463, 2.330602387019571, 'FINANCE'), Text(26.0188621982836, 12.34147832734244, 'EXPERT JUDGMENT'), Text(20.833576904890997, 1.651746034622196, 'INDIVIDUAL'), Text(1.4961655354499825, 0.9018399792058069, 'FEASIBILITY STUDY'), Text(-0.4438475552009038, -5.201812592006863, 'PRELIMINARY PLANNING'), Text(16.154709012335346, -20.85372539247785, 'NEAR OFFSHORE'), Text(10.91454862550382, -1.3354254614739176, 'HEALTHCARE'), Text(9.949894451200969, -8.108599317641485, 'COCOMO'), Text(9.959271103441708, 0.8751570928664485, 'PORTFOLIO'), Text(1.7361633295685976, -0.09054558390662848, 'SYSTEM INVESTIGATION'), Text(22.165292617832463, 16.1927551814488, 'NON-MACHINE LEARNING'), Text(22.290434802664862, 6.7012611548105845, 'VALUE'), Text(12.292747912927993, 9.173381094705494, 'STATISTICAL ANALYSIS'), Text(-21.987312811017038, 9.696830140976676, 'SIZE REPORT'), Text(11.24975195865477, 7.813408962885543, 'ANALYSIS'), Text(9.281954286425346, -8.997702964146931, 'CMMI'), Text(17.032432736744802, 8.503392585118615, 'CONCEPTUALIZATION'), Text(21.256013109607082, 10.53519313903082, 'FUZZY SIMILARITY'), Text(27.40422313533483, -1.775055190495081, 'BIDDING'), Text(5.834065463043025, 5.465114704767867, 'SECURITY'), Text(1.6001149343771317, 5.476883279709593, 'MAINTAINABILITY'), Text(3.19666186313475, -4.95732316516694, 'EXECUTION'), Text(2.541210593312016, 17.581137291590377, 'TESTING'), Text(12.203862648356349, -0.3451064800932251, 'GA'), Text(8.317347158789637, -20.144751914342244, 'TEMPORAL DISTANCE'), Text(27.276321810935784, 4.80163370314099, 'GROUP-BASED ESTIMATION'), Text(5.935905466320058, -5.50274177278791, 'COMMISSIONING'), Text(7.5072231577769415, 20.56496944881621, 'EFFORT HOURS'), Text(20.797915168606472, -9.509879436947049, 'AGILE'), Text(6.305680169492, 8.35864414033436, 'RISK'), Text(12.578963915648004, 11.395343131110781, 'BASELINE COMPARISON'), Text(7.188666792127393, -2.7515502021426244, 'DESIGN'), Text(-5.269937329109638, 17.05481397310893, 'RESEARCH & DEVELOPMENT'), Text(14.96780239069654, 3.7674583117167195, 'NOT CONSIDERED'), Text(4.176879168277786, 2.550777049291707, 'HARDWARE'), Text(9.641253961488125, 9.346024106797717, 'SENSITIVITY ANALYSIS'), Text(11.471509139499354, -12.43611053739275, 'DELPHI'), Text(-0.9434978753039971, 3.715212928681151, 'AVAILABILITY'), Text(13.489754479767818, -20.499034232184997, 'DISTANT ONSHORE'), Text(-1.4689557263159045, 21.229071251551314, 'VARIATION REDUCTION'), Text(4.200537635406171, -1.1012224537985666, 'PERFORMANCE'), Text(9.108566551516141, 16.238510719935103, 'IN-HOUSE EXPERIENCE'), Text(-6.758899220833861, 1.9609839053381073, 'REUSABILITY LEVEL'), Text(5.791520959408054, -14.996921782266526, 'OBJECT-ORIENTED FUNCTION POINTS'), Text(16.45577052867221, 2.9351428667704305, 'TYPE'), Text(-13.181328913540607, 6.683069746834892, 'REUSED MEDIA ALLOCATION'), Text(6.496335773775655, 13.84957155273074, 'DOMAIN EXPERIENCE LEVEL'), Text(-2.5514260530952484, 14.142724888665338, 'REQUIREMENTS CLARITY LEVEL'), Text(-17.62819103861048, -2.823189710435411, 'CONCERN MODULE COUNT'), Text(-23.69163633390781, -6.26529277619861, 'CLUSTER COUNT'), Text(-17.47483845110863, 7.035020523979558, 'NEW MEDIA COUNT'), Text(-27.943476081355932, -6.52571432704017, 'MODEL SLOT SIZE'), Text(-9.815638707222483, -12.030556962603612, 'DATA FLOW COMPLEXITY'), Text(0.5624815229254381, 19.05741239048186, 'REQUIREMENTS VOLATILITY LEVEL'), Text(-16.508979622327512, 2.91027214640663, 'INNER/SUB CONCERN COUNT'), Text(-9.806011880011326, -6.1459270136696915, 'INTERFACE COMPLEXITY'), Text(2.2138748366409757, 11.350949489502685, 'FLEXIBILITY LEVEL'), Text(-6.0384175738307775, 10.153338066736861, 'MOTIVATION LEVEL'), Text(-1.6429412020214187, 0.6507501851944717, 'DEVELOPMENT RESTRICTION'), Text(-20.562903524935248, -1.1840964680626236, 'ENTITY COUNT'), Text(-5.877127214910523, -6.827329524358113, 'COMPACTNESS'), Text(-4.392043541447769, 4.73624710355487, 'CONCURRENCY LEVEL'), Text(-12.171987829198763, 12.53384503864105, 'TEAM SIZE'), Text(-20.074006653879923, -2.2177904885439546, 'ATTRIBUTE COUNT'), Text(8.94638074159623, -11.905261425744918, 'SPI PROGRAM'), Text(6.592660345290938, -8.181204836709156, 'FOCUS FACTOR'), Text(22.02212772073284, 2.489399975822085, 'PERSONALITY'), Text(-14.892277069216775, -11.112859137852986, 'MODEL LINK COMPLEXITY'), Text(1.78636031234457, 8.320884055183047, 'STABILITY LEVEL'), Text(-6.918547777690236, 0.8065901869819321, 'SOFTWARE REUSE'), Text(-17.529312250268077, -12.73412572542826, 'SEMANTIC ASSOCIATION COUNT'), Text(-19.254599461430505, -8.461977613539919, 'LOW FEATURE COUNT'), Text(-16.600746440637497, 9.795212684358876, 'MEDIA DURATION'), Text(-25.71505505193626, -3.990496524175004, 'MODEL NODE SIZE'), Text(8.708006715899508, 5.505095116297408, 'IT LITERACY'), Text(-18.293285148248554, 5.062010876337691, 'PUBLISHING MODEL UNIT COUNT'), Text(0.4775459543639613, 12.848903574262355, 'USABILITY LEVEL'), Text(2.0745069742683455, 15.760362239111036, 'TESTABILITY LEVEL'), Text(7.161290579024822, -0.05032510814212188, 'STRUCTURE'), Text(-22.353930005440795, 7.973543512253531, 'DATABASE SIZE'), Text(7.758633880201849, -0.6402440071105957, 'ARCHITECTURE'), Text(3.4139280990150667, 2.0721792028063852, 'PROCESSING REQUIREMENTS'), Text(-23.578460079662268, -7.283897210302822, 'CLUSTER SLOT COUNT'), Text(-16.926023949615423, -6.033403523763017, 'REUSED COMPONENT COUNT'), Text(-7.265103140108053, 9.428011528650924, 'PROJECT MANAGEMENT LEVEL'), Text(9.583841717656583, -14.22383943512326, 'INTERNATIONAL FUNCTION POINT USERS GROUP'), Text(-12.222733931954831, -5.055687793095906, 'COMPONENT GRANULARITY LEVEL'), Text(-26.96209308943441, 1.759587086950031, 'WEB PAGE ALLOCATION'), Text(20.872705415246948, -17.17791879971822, 'LINES OF CODE'), Text(-4.660969375275798, 15.470902077356978, 'NOVELTY LEVEL'), Text(-2.403989881286698, 5.615333121163506, 'SCALABILITY LEVEL'), Text(-10.553588658811584, -11.42350135984875, 'DATA USAGE COMPLEXITY'), Text(-3.0874954580876093, 12.676210017431348, 'DOCUMENTATION LEVEL'), Text(-23.999388526726158, -0.7284166688010778, 'ANCHOR COUNT'), Text(-17.6379069642963, 7.8580204373314295, 'MEDIA COUNT'), Text(4.453051859661457, -6.2609477951413055, 'OPERATIONAL MODE'), Text(-4.478256190803748, -2.9644060339246465, 'CLASS COUPLING'), Text(-19.59348356245026, -7.298037660689577, 'FEATURE COUNT'), Text(-18.51569010236571, -7.778040104820612, 'HIGH FEATURE COUNT'), Text(-20.6878623905778, 1.901037418274658, 'REUSED COMMENT COUNT'), Text(6.292863781307972, 8.662759740012032, 'RISK LEVEL'), Text(-7.882514741122719, -4.545417308807373, 'COHESION COMPLEXITY'), Text(-14.650120245054847, -1.1764471059753774, 'USE CASE COUNT'), Text(-1.5055021818799332, 19.798504463831588, 'DESIGN VOLATILITY'), Text(-2.8751918585262004, 7.0664857092357884, 'RESOURCE LEVEL'), Text(-26.529634386800954, -8.274360697610035, 'SLOT COUNT'), Text(12.419216203343488, 14.181211512429375, 'AUTHORING TOOL TYPE'), Text(-12.229195551564619, -12.989026637304395, 'MODEL ASSOCIATION COMPLEXITY'), Text(1.530521436506703, 11.928404808044437, 'ACCESSIBILITY LEVEL'), Text(-6.815025918070347, -14.317772520156133, 'MAPPED WORKFLOWS'), Text(-23.85278381383227, 3.4881024565015544, 'SERVER SCRIPT COUNT'), Text(-16.206807235008288, 6.245550977616087, 'REUSED MEDIA COUNT'), Text(21.907687427468844, -17.67375215575808, 'REUSED LINES OF CODE'), Text(-11.92477464037557, 6.127929880505516, 'STORAGE CONSTRAINT'), Text(-24.815087286416563, -5.745133186521983, 'CLUSTER NODE SIZE'), Text(-7.974610593741943, -3.349550024668371, 'COHESION'), Text(7.886679897241052, 15.121129238037835, 'TOOL EXPERIENCE LEVEL'), Text(-16.006475545638995, -3.1655020305088577, 'MODULE COUNT'), Text(-8.776350037926633, 11.66614495913188, 'WORK TEAM LEVEL'), Text(-12.601662058224605, -6.444973184948871, 'COMPONENT COMPLEXITY'), Text(-5.550925573293242, 6.240945552644273, 'PROCESS EFFICIENCY LEVEL'), Text(7.392860089290529, 15.231713903517953, 'OO EXPERIENCE LEVEL'), Text(-12.774256844943572, 0.5495939615226995, 'PROGRAM COUNT'), Text(-27.668937563636618, -9.573279989333376, 'COLLECTION SLOT SIZE'), Text(7.740600102005466, 12.169048938297092, 'DEPLOYMENT PLATFORM EXPERIENCE LEVEL'), Text(-19.42944009148306, -4.7118072714124395, 'DIFFUSION CUT COUNT'), Text(-1.7107028499149521, 7.975614856538332, 'QUALITY LEVEL'), Text(-14.50917623193995, 8.45434308506194, 'MEDIA ALLOCATION'), Text(-5.108255502831547, 7.898867911384219, 'PRODUCTIVITY LEVEL'), Text(-17.77450026190185, -4.547098291487924, 'MODULE POINT CUT COUNT'), Text(-12.030970874505659, -0.6910405805423245, 'REUSED PROGRAM COUNT'), Text(-9.343477311499662, -2.8594437917073527, 'CONNECTIVITY DENSITY'), Text(-25.514410776774735, 0.8735018559864507, 'NEW WEB PAGE COUNT'), Text(-15.123410939651158, 2.735737759726394, 'INDIFFERENT CONCERN COUNT'), Text(-0.3841317068857535, 13.249268511363436, 'READABILITY LEVEL'), Text(-23.87049354866628, 3.5089879240308512, 'CLIENT SCRIPT COUNT'), Text(6.00879775670267, 6.3586326553708155, 'SECURITY LEVEL'), Text(-25.074922553204726, -7.930183735347924, 'COMPONENT SLOT COUNT'), Text(-21.453713062972795, -3.9998017265683075, 'SEGMENT COUNT'), Text(10.191933313325535, 13.066728855314711, 'PROGRAMMING LANGUAGE EXPERIENCE LEVEL'), Text(-0.5990128349392663, 4.251895032610211, 'AVAILABILITY LEVEL'), Text(-2.068436428135442, 9.005407962344943, 'COMMUNICATION LEVEL'), Text(-1.9814982253697622, -20.232871421178178, 'METRICS PROGRAM'), Text(-6.531532570671651, 5.702220074335738, 'MEMORY EFFICIENCY LEVEL'), Text(-23.909545368090757, -0.1007721974736171, 'LINK COUNT'), Text(-8.303653777953116, -12.040252969378518, 'CONTROL FLOW COMPLEXITY'), Text(-0.3201098224424541, -13.332440051578338, 'WEB OBJECTS'), Text(-3.9704753876116996, -2.1733063084738546, 'CONCERN COUPLING'), Text(6.767851698437042, 14.67420539401827, 'EXPERIENCE LEVEL'), Text(-0.33139677812976487, 18.396699884959634, 'PLATFORM VOLATILITY LEVEL'), Text(3.253015787351515, 7.49641487484887, 'RELIABILITY LEVEL'), Text(-2.451014555365809, 14.928876511255904, 'REQUIREMENTS NOVELTY LEVEL'), Text(-5.308475815509603, 16.227225891749068, 'INNOVATION LEVEL'), Text(-0.9184941505616706, 10.328435877391275, 'PORTABILITY LEVEL'), Text(-9.449777447456313, 1.5195059038343892, 'NUMBER OF PROGRAMMING LANGUAGES'), Text(-16.972070743874202, 0.7077221879646949, 'OPERATION COUNT'), Text(-9.835122243050606, 12.448315295718967, 'TEAM CAPABILITY'), Text(-11.17699935994802, -9.870457953498473, 'INPUT COMPLEXITY'), Text(0.1488267288284959, 10.040738369169691, 'INSTALLABILITY LEVEL'), Text(-23.427971033271287, -8.73015663510277, 'SLOT GRANULARITY LEVEL'), Text(2.129431668471902, 6.448497184117631, 'MAINTAINABILITY LEVEL'), Text(-7.109799836076078, -7.024856365294681, 'ADAPTATION COMPLEXITY'), Text(-14.438501860489772, -8.903009394236971, 'PAGE COMPLEXITY'), Text(-25.891060977539713, -10.479947333108807, 'COLLECTION CENTER SLOT COUNT'), Text(-2.1549434549673876, 1.8027402412323745, 'TIME RESTRICTION'), Text(-25.11675253838301, -3.207781442006425, 'NODE COUNT'), Text(-18.6794417128736, -9.7637789499192, 'REUSED LOW FEATURE COUNT'), Text(11.186081079875272, 12.92432494844709, 'SOFTWARE DEVELOPMENT EXPERIENCE'), Text(-15.154617756460944, -3.713633907408937, 'MODULARITY LEVEL'), Text(-6.143791801102701, 5.985889607384099, 'TIME EFFICIENCY LEVEL'), Text(-24.205391007757964, -11.289346349807012, 'ASSOCIATION SLOT SIZE'), Text(-18.140207862459846, 0.3688976372991313, 'STATEMENT COUNT'), Text(-27.098268869778806, -5.710399343853904, 'NODE SLOT SIZE'), Text(-18.988454177245018, 5.0709549109141, 'PUBLISHING UNIT COUNT'), Text(-24.114486355483535, -11.309788358779176, 'ASSOCIATION CENTER SLOT COUNT'), Text(-14.803991678510947, -5.439914135705855, 'COMPONENT COUNT'), Text(-24.069673315940367, -9.243018170765467, 'INFORMATION SLOT COUNT'), Text(2.305442487905104, -12.791927987053278, 'DATA WEB POINTS'), Text(3.37634985054693, 13.170249675569078, 'TRAINABILITY LEVEL'), Text(-9.061370911963522, -8.986763173057906, 'NEW COMPLEXITY'), Text(-17.217725214996648, -9.383116681235176, 'REUSED HIGH FEATURE COUNT'), Text(-7.61453966822355, -10.388281760896952, 'CYCLOMATIC COMPLEXITY'), Text(3.5911717945337287, 9.244026813052951, 'ROBUSTNESS LEVEL'), Text(1.8864380612104128, -1.3616355737050334, 'INTEGRATION WITH LEGACY SYSTEMS'), Text(-10.258994374438643, -7.66955034846351, 'TOTAL COMPLEXITY'), Text(-1.4869519063061318, -15.167807233901247, 'RAPID APP DEVELOPMENT'), Text(-25.62462754601048, 0.5719298595473923, 'WEB PAGE COUNT'), Text(7.0940441128323215, 1.3539529584702983, 'INFRASTRUCTURE'), Text(-20.893603689872453, 1.0228485606965627, 'COMMENT COUNT'), Text(-9.634849194259417, -6.961243518193559, 'CLASS COMPLEXITY'), Text(-6.324549151534036, -9.676415443420407, 'DIFFICULTY LEVEL'), Text(2.8283953693605213, -8.044011806306383, 'LESSONS LEARNED REPOSITORY'), Text(-16.94807543731505, -2.269808810097828, 'MODULE ATTRIBUTE COUNT'), Text(6.008142396509648, 10.265972807293853, 'PLATFORM SUPPORT LEVEL'), Text(-8.126106421697529, 8.553273464384535, 'NUMBER OF PROJECTS IN PARALLEL'), Text(-12.895000714496263, -7.403011119933353, 'LAYOUT COMPLEXITY'), Text(3.983362197106885, 1.866655719847909, 'TECHNICAL FACTORS'), Text(-11.29189116871165, -9.279534137816661, 'OUTPUT COMPLEXITY'), Text(-14.97939687820212, 1.1043316313198694, 'CONCERN OPERATION COUNT'), Text(-14.300119494276661, -12.762052454267227, 'MODEL COLLECTION COMPLEXITY'), Text(-22.18467556365075, -2.743037075088143, 'SECTION COUNT'), Text(14.165182864714048, 10.841328255335494, 'LEGAL ENTITY'), Text(12.803021265816312, -7.41904620897202, 'CENTRALIZED'), Text(26.227541208680606, -7.643769999912806, 'EARLY'), Text(26.66802164774748, -7.306290515263871, 'EARLY & LATE'), Text(12.667968961048516, -9.076335318883256, 'LOCATION'), Text(27.539484881960576, 7.1899977842966685, 'ESTIMATOR & PROVIDER'), Text(10.966683848750215, -3.80033675148373, 'PROVIDER'), Text(9.435084910142805, -21.726893079848516, 'GEOGRAPHIC DISTANCE'), Text(27.637815125709594, 6.677903590883528, 'ESTIMATOR'), Text(24.37397893437263, -7.451930802209038, 'LATE'), Text(16.250154806308203, -7.543088374819071, 'SEMI-DISTRIBUTED'), Text(14.527558251811605, -6.36177097502209, 'DISTRIBUTED'), Text(20.33098813023298, 10.26158781278701, 'FUZZY'), Text(19.578226272742597, -7.391264327367143, 'SLIM'), Text(18.536281138802728, 7.312569445655459, 'EVOLUTIONARY'), Text(22.835506070006275, -1.0650084098180095, 'SEER-SEM'), Text(16.370548224727962, -9.032962453932985, 'SWARM'), Text(14.56983405384134, -0.8852538262094747, 'ANN'), Text(17.415642315014722, 11.56847470828465, 'ANALOGY BASE'), Text(18.773037287198733, -1.9706506854011856, 'BOTH'), Text(11.57408625039362, 5.160983196894332, 'INTERVAL'), Text(-22.401208022361807, 12.51640058017912, 'LATE SIZE METRIC'), Text(-0.9469694718718529, -13.976041103544684, 'WEB APPLICATION'), Text(-1.4348934178294641, -13.916771523157752, 'WEB SOFTWARE APPLICATION'), Text(0.687604032206913, -21.456263866878686, 'SOLUTION ORIENTED METRIC'), Text(16.74260957106467, 4.974645553316389, 'ABSOLUTE'), Text(21.079500709262582, -4.2729881263914535, 'DIRECTLY'), Text(-21.67658521267676, 10.648658062162855, 'LENGTH'), Text(15.595245173948427, -4.640725612640377, 'RATIO'), Text(8.967828389742685, -14.001835518791562, 'PROGRAM/SCRIPT'), Text(-17.452656219784295, 9.461737916583107, 'MEDIA'), Text(18.109543463049405, 2.8554737408955937, 'SPECIFIC'), Text(0.1640724967083642, -20.932988532384236, 'PROBLEM ORIENTED METRIC'), Text(21.15463308759275, -4.024352854774108, 'INDIRECTLY'), Text(4.032680680540302, -2.500286513283136, 'FUNCTIONALITY'), Text(-22.1180901255723, 11.860733011790682, 'EARLY SIZE METRIC'), Text(13.809137530403753, 0.3796237582252182, 'NONE'), Text(14.834724297235084, 7.338935963312789, 'EMPIRICALLY'), Text(16.540059886517056, 0.49547483239851786, 'ORDINAL'), Text(-0.41007347176344666, -12.169661126817967, 'WEB HYPERMEDIA APPLICATION'), Text(15.740709159105052, 2.027316463561288, 'NOMINAL'), Text(17.504489654398732, -1.0007628594125997, 'OTHER'), Text(-11.250586969150653, -8.181625407082688, 'COMPLEXITY'), Text(14.914068005546454, 6.421737021491641, 'THEORETICALLY'), Text(18.348144298080477, 3.329529203687404, 'NONSPECIFIC'), Text(13.420623741842086, -12.685074218114213, 'DSDM'), Text(9.661580449506161, 23.214672676722213, 'PAIR DAYS'), Text(12.58949488290856, 1.584148526191715, 'NOT USED'), Text(16.228341310870256, -13.957624719256444, 'MDMRE'), Text(4.016590162861732, -12.421454409190584, 'POINT'), Text(8.47615227989612, -4.902895693551923, 'MANUFACTURING'), Text(16.413879422314707, -1.4686553557713786, 'ALL'), Text(5.164587940285287, -13.796218526931035, 'FUNCTION POINTS'), Text(8.995443242144198, 4.498308293024703, 'EDUCATION'), Text(20.420930915215322, 0.2888468708310832, 'SINGLE'), Text(12.675989391169239, -13.277052534194215, 'FDD'), Text(16.087956320278117, -13.751749079568047, 'MMRE'), Text(17.12054431428352, 11.270863816851662, 'ANALOGY'), Text(18.92491019970948, -9.844637546085174, 'SCRUM'), Text(-10.093254434889367, 13.651766066324146, 'NO. OF TEAM MEMBERS'), Text(14.058902643342172, 4.631620690936135, 'CONSIDERED'), Text(27.08046002515863, 5.639469582693916, 'ESTIMATE VALUE(S)'), Text(9.413265644811823, 21.81515492711748, 'HOURS/DAYS'), Text(14.10702051003134, -1.6971870740254715, 'KANBAN'), Text(7.092334792489012, 2.505146939413887, 'TRANSPORTATION'), Text(15.167144371511469, -5.117680417923697, 'DISTRIBUTION'), Text(10.985058080755891, 3.1679823239644413, 'FINANCIAL'), Text(14.865727165110648, -21.450314176650274, 'FAR OFFSHORE'), Text(26.6500456809613, 13.31098424593608, 'EXPERT JUDGEMENT'), Text(20.440137263565298, -10.621246276582987, 'CUSTOMIZED SCRUM'), Text(8.976567365613676, 20.289613115219847, 'IDEAL HOURS'), Text(9.95311712632256, -0.3538932879765788, 'HEALTH'), Text(16.01373361265467, 17.65898732911972, 'XP'), Text(-1.1143998286800993, -6.239796293349492, 'PLANNING POKER'), Text(9.746265305905574, 22.366272560755416, 'DAILY'), Text(3.9019316561952735, -11.75360859235127, 'THREE POINT'), Text(12.9506876708423, -4.120286657696681, 'RELEASE'), Text(14.399846340802405, -18.514640220006306, 'CLOSE ONSHORE'), Text(4.6065579845328415, -3.730347740082511, 'TASK'), Text(19.17180742382041, 5.799834839502974, 'CRYSTAL'), Text(6.218030122422405, -11.020279012407574, 'UC POINTS'), Text(2.2424414125469454, -9.076134093602498, 'USER STORY'), Text(15.302572179677028, 2.86608081091018, 'NOT APPLICABLE'), Text(10.038190308040186, -5.057801739374792, 'RETAIL/WHOLESALE'), Text(12.797699725675969, -8.418019903273805, 'CO-LOCATED'), Text(2.9261924749228285, -9.775815375645955, 'STORY POINTS'), Text(14.469527694342602, 17.63372926484971, 'CUSTOMIZED XP'), Text(18.36780479245609, -6.13212574323018, 'SPRINT'), Text(11.452233232444314, -3.5773640746162023, 'COMMUNICATIONS INDUSTRY')], [])
# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)
# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)
# Re-add the first legend
plt.gca().add_artist(legend1)
plt.title("t-SNE Visualization of Word Embeddings")
plt.xlabel("t-SNE Component 1")
plt.ylabel("t-SNE Component 2")
# Save the plot as an image
plt.savefig('tsne_word_embeddings.png', dpi=600, bbox_inches='tight')
# Display the plot
plt.show()

from sklearn.manifold import TSNE
import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import seaborn as sns
from mpl_toolkits.mplot3d import Axes3D # Import 3D plotting tools
# Create a dictionary to store the embeddings of each set
embeddings = {}
all_words = []
word_to_set = {}
for set_name, word_set in normalized_sets.items():
embeddings[set_name] = get_embeddings(word_set)
all_words.extend(list(word_set))
for word in word_set:
word_to_set[word] = set_name
# Create an array of all embeddings
all_embeddings = torch.cat([embeddings[set_name] for set_name in normalized_sets], dim=0)
# Map sets to colors
set_colors = {set_name: sns.color_palette("Set2")[i] for i, set_name in enumerate(sets.keys())}
word_colors = [set_colors[word_to_set[word]] for word in all_words]
# Apply t-SNE to reduce the dimensionality of the embeddings to 3D
tsne = TSNE(n_components=3, random_state=5)
reduced_embeddings = tsne.fit_transform(all_embeddings)
# Initialize figure for 3D plot
fig = plt.figure(figsize=(16, 12))
ax = fig.add_subplot(111, projection='3d')
# Track words already labeled
labeled_words = {}
# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
# Color and position each word's dot in 3D
ax.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1], reduced_embeddings[i, 2],
c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
# Check if the word has appeared before
if word not in labeled_words:
# If first occurrence, label it and choose red if shared
color = 'red' if all_words.count(word) > 1 else 'black'
ax.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], reduced_embeddings[i, 2],
word.upper(), fontsize=5, color=color)
labeled_words[word] = True # Track labeled words for avoid overlap
# Adjust the positions of labels to avoid overlap (this part doesn't adjust in 3D directly,
# but you could explore 3D label adjustments using other techniques like manually adjusting the positions)
# For now, we keep the label text without adjustment in 3D (more complex adjustments can be done with other libraries).
# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)
# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)
# Re-add the first legend
plt.gca().add_artist(legend1)
ax.set_title("t-SNE Visualization of Word Embeddings in 3D")
ax.set_xlabel("t-SNE Component 1")
ax.set_ylabel("t-SNE Component 2")
ax.set_zlabel("t-SNE Component 3")
# Save the plot as an image
plt.savefig('tsne_word_embeddings_3d.png', dpi=600, bbox_inches='tight')
# Display the plot
plt.show()

import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import umap.umap_ as umap
# Apply UMAP to reduce the dimensionality of the embeddings to 2D
umap_model = umap.UMAP(n_components=2, random_state=5)
reduced_embeddings = umap_model.fit_transform(all_embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning:
n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
# Initialize figure
plt.figure(figsize=(16, 12))
# Track words already labeled
labeled_words = {}
# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
# Color and position each word's dot
plt.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1],
c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
# Check if the word has appeared before
if word not in labeled_words:
# If first occurrence, label it and choose red if shared
color = 'red' if all_words.count(word) > 1 else 'black'
text = plt.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], word.upper(),
fontsize=5, color=color)
labeled_words[word] = text # Track labeled words for adjustText
# Adjust the positions of labels to avoid overlap
adjust_text(list(labeled_words.values()), only_move={'points': 'xy'}, force_text=0.75, expand_text=(1.5, 1.5))
([Text(7.3917179643362765, 10.226815088589984, 'CBR'), Text(4.875024235128996, 9.83856715985707, 'NUMBER OF TEAM MEMBERS'), Text(6.555213498447933, 13.041388570694696, 'RELIABILITY'), Text(6.8078068615916765, 12.787710122267406, 'MAINTENANCE'), Text(8.099218934223417, 11.575498648484547, 'MACHINE LEARNING'), Text(4.987302871631278, 9.716303386574701, 'STAFF/COST'), Text(6.561685102320607, 10.978628099532354, 'DETAIL PLANNING'), Text(8.41766053556795, 12.012251406624204, 'ESTIMATED VALUE'), Text(6.0846779183574755, 10.701519898573558, 'IMPLEMENTATION'), Text(7.491253775806437, 8.730315073331196, 'SOCIO-CULTURAL DISTANCE'), Text(7.147359122984833, 11.3255771619933, 'FINANCE'), Text(8.566849719052835, 11.610820449533918, 'EXPERT JUDGMENT'), Text(8.477482019731955, 10.223686986310142, 'INDIVIDUAL'), Text(6.368209365976434, 11.499004996958234, 'FEASIBILITY STUDY'), Text(6.5156438788765625, 10.953993864854176, 'PRELIMINARY PLANNING'), Text(8.07533915144902, 8.578312873840332, 'NEAR OFFSHORE'), Text(7.0951287047841385, 12.009934037072318, 'HEALTHCARE'), Text(7.801166834913555, 9.81453857592174, 'COCOMO'), Text(6.831761562671033, 10.828469403017134, 'PORTFOLIO'), Text(6.540452207325086, 11.467060595466977, 'SYSTEM INVESTIGATION'), Text(8.284457183257947, 11.523980073134105, 'NON-MACHINE LEARNING'), Text(8.095891462641978, 11.675803049405417, 'VALUE'), Text(7.702361301566445, 11.799490861097972, 'STATISTICAL ANALYSIS'), Text(4.748154047111109, 8.673882290295193, 'SIZE REPORT'), Text(7.316008527338987, 11.7548369095439, 'ANALYSIS'), Text(7.624577275378811, 10.024677850518907, 'CMMI'), Text(7.6430173665206995, 11.160518452099392, 'CONCEPTUALIZATION'), Text(6.551449270142664, 10.163526847248987, 'FUZZY SIMILARITY'), Text(6.756420759966657, 10.735341013045538, 'BIDDING'), Text(6.708802617757071, 12.188334912345525, 'SECURITY'), Text(6.4462964868311206, 13.334807640597933, 'MAINTAINABILITY'), Text(6.11432365986188, 10.534774400506702, 'EXECUTION'), Text(6.645705983428465, 12.39340013322376, 'TESTING'), Text(8.229068534016129, 10.437382630507152, 'GA'), Text(7.35777370638785, 8.663718088467917, 'TEMPORAL DISTANCE'), Text(8.411961215863665, 12.170330427374157, 'GROUP-BASED ESTIMATION'), Text(6.689228408016386, 10.628695361387162, 'COMMISSIONING'), Text(6.262509666103871, 8.966595582167308, 'EFFORT HOURS'), Text(6.657492704281524, 10.104624300911313, 'AGILE'), Text(6.795115538834925, 12.419162243888492, 'RISK'), Text(6.1033746040420205, 11.656997613112125, 'BASELINE COMPARISON'), Text(6.4592446379519775, 11.27540873629707, 'DESIGN'), Text(6.394928923100835, 11.588602631432671, 'RESEARCH & DEVELOPMENT'), Text(8.571998779130197, 10.94982153120495, 'NOT CONSIDERED'), Text(6.458199601801953, 11.778018883864085, 'HARDWARE'), Text(7.050294868310975, 12.562133974688393, 'SENSITIVITY ANALYSIS'), Text(6.268093260687686, 10.456293992201488, 'DELPHI'), Text(6.692771376029499, 13.153439648378463, 'AVAILABILITY'), Text(7.969458354046389, 8.531499474389214, 'DISTANT ONSHORE'), Text(6.251944572857731, 12.406134799548559, 'VARIATION REDUCTION'), Text(6.263109195419257, 11.159161947454724, 'PERFORMANCE'), Text(4.868222460064196, 11.810056433223544, 'IN-HOUSE EXPERIENCE'), Text(5.669589759913544, 13.289711884657542, 'REUSABILITY LEVEL'), Text(6.4245207722202675, 9.764967353003367, 'OBJECT-ORIENTED FUNCTION POINTS'), Text(7.992088166335299, 10.792920618965512, 'TYPE'), Text(4.3945356807274925, 8.188245140370869, 'REUSED MEDIA ALLOCATION'), Text(5.186997486852831, 12.219053774788268, 'DOMAIN EXPERIENCE LEVEL'), Text(5.719368612017003, 12.210023812452953, 'REQUIREMENTS CLARITY LEVEL'), Text(2.738008649421916, 8.317075991062891, 'CONCERN MODULE COUNT'), Text(2.4538521721322213, 8.030129753407978, 'CLUSTER COUNT'), Text(3.944415068328381, 8.175465710390181, 'NEW MEDIA COUNT'), Text(1.463558465184704, 8.108999691123053, 'MODEL SLOT SIZE'), Text(2.0275780018587266, 10.312841035638536, 'DATA FLOW COMPLEXITY'), Text(6.202525149350686, 12.532593659559886, 'REQUIREMENTS VOLATILITY LEVEL'), Text(3.2479072061932133, 8.450095303285691, 'INNER/SUB CONCERN COUNT'), Text(2.0449435146243102, 10.144422657716843, 'INTERFACE COMPLEXITY'), Text(6.073249938433929, 12.896814667043232, 'FLEXIBILITY LEVEL'), Text(5.4783004813262774, 11.331210836910067, 'MOTIVATION LEVEL'), Text(6.18803688081402, 11.039611689817338, 'DEVELOPMENT RESTRICTION'), Text(3.118587051715943, 8.509317330519359, 'ENTITY COUNT'), Text(2.5196767421986066, 10.556824928805941, 'COMPACTNESS'), Text(5.081190827804348, 11.304197632131125, 'CONCURRENCY LEVEL'), Text(4.648374959876341, 9.688370139258248, 'TEAM SIZE'), Text(2.992559587835905, 8.125395015307834, 'ATTRIBUTE COUNT'), Text(5.962561190642657, 10.215802640006656, 'SPI PROGRAM'), Text(6.213843122274286, 9.94829222588312, 'FOCUS FACTOR'), Text(8.506104194985763, 10.20358943939209, 'PERSONALITY'), Text(1.9531739045877852, 9.88160851569403, 'MODEL LINK COMPLEXITY'), Text(6.316408740044722, 12.824025280702683, 'STABILITY LEVEL'), Text(4.104688389029715, 10.747614219075158, 'SOFTWARE REUSE'), Text(2.225816292984471, 8.806737131731852, 'SEMANTIC ASSOCIATION COUNT'), Text(2.7954616011354716, 7.679657720951807, 'LOW FEATURE COUNT'), Text(4.355753033823304, 7.949804567723048, 'MEDIA DURATION'), Text(1.8977202725969256, 8.37097510610308, 'MODEL NODE SIZE'), Text(6.638522538758455, 11.899945512272062, 'IT LITERACY'), Text(3.674009452510265, 8.254871047678447, 'PUBLISHING MODEL UNIT COUNT'), Text(5.390635977729314, 12.880496092637381, 'USABILITY LEVEL'), Text(6.117818128288153, 12.968174107301802, 'TESTABILITY LEVEL'), Text(7.015829283600493, 11.246278442087629, 'STRUCTURE'), Text(4.345852653311506, 8.758145897729056, 'DATABASE SIZE'), Text(6.696257780693592, 11.32716706366766, 'ARCHITECTURE'), Text(6.199892399470293, 11.34930177699952, 'PROCESSING REQUIREMENTS'), Text(1.721648621609615, 7.775529675824301, 'CLUSTER SLOT COUNT'), Text(3.07162791088584, 8.627053007625399, 'REUSED COMPONENT COUNT'), Text(5.320687269236773, 11.57390607141313, 'PROJECT MANAGEMENT LEVEL'), Text(5.877759618687053, 9.86710210811524, 'INTERNATIONAL FUNCTION POINT USERS GROUP'), Text(2.2725521970077627, 9.181079796950023, 'COMPONENT GRANULARITY LEVEL'), Text(3.0221822321006364, 9.70119278828303, 'WEB PAGE ALLOCATION'), Text(3.6988832820236923, 9.650787285963695, 'LINES OF CODE'), Text(5.794635896847373, 11.82439728123801, 'NOVELTY LEVEL'), Text(5.5961769757546005, 12.616120270888011, 'SCALABILITY LEVEL'), Text(2.0719025187729105, 10.177782506034488, 'DATA USAGE COMPLEXITY'), Text(5.542591624118147, 12.147787406331016, 'DOCUMENTATION LEVEL'), Text(2.5501157244781574, 8.924475661345891, 'ANCHOR COUNT'), Text(4.005308407317367, 8.043373302051, 'MEDIA COUNT'), Text(6.091137938336621, 10.531218790440333, 'OPERATIONAL MODE'), Text(5.146361744263239, 10.751047514166151, 'CLASS COUPLING'), Text(2.9574069323979555, 7.87574284474055, 'FEATURE COUNT'), Text(2.761183974545209, 7.682392382054102, 'HIGH FEATURE COUNT'), Text(3.2561041656190595, 8.828176498413086, 'REUSED COMMENT COUNT'), Text(6.619511038658, 12.622722558180492, 'RISK LEVEL'), Text(2.176359801167442, 9.91011664299738, 'COHESION COMPLEXITY'), Text(3.38520029215022, 9.095857113883609, 'USE CASE COUNT'), Text(6.278641911118982, 12.449973933469682, 'DESIGN VOLATILITY'), Text(5.501524110057902, 12.309348612739926, 'RESOURCE LEVEL'), Text(1.3712615633876095, 7.865862972963424, 'SLOT COUNT'), Text(5.212779191456014, 11.609011211281732, 'AUTHORING TOOL TYPE'), Text(2.0672594757017593, 9.7222791098413, 'MODEL ASSOCIATION COMPLEXITY'), Text(5.514664864242078, 13.146682798294794, 'ACCESSIBILITY LEVEL'), Text(5.661608117276263, 10.722108131930941, 'MAPPED WORKFLOWS'), Text(3.1311563753414777, 9.308470211142586, 'SERVER SCRIPT COUNT'), Text(3.9697901007575136, 8.110771432377044, 'REUSED MEDIA COUNT'), Text(3.8341623234862996, 9.823898247877757, 'REUSED LINES OF CODE'), Text(4.423266180931561, 8.499305218742007, 'STORAGE CONSTRAINT'), Text(2.1187196098430263, 8.062868818782626, 'CLUSTER NODE SIZE'), Text(6.1049550814325775, 12.00694701103937, 'COHESION'), Text(5.1035820125253695, 11.87871850274858, 'TOOL EXPERIENCE LEVEL'), Text(2.4122329705575063, 8.292405128479004, 'MODULE COUNT'), Text(5.057502898159888, 10.203499726454417, 'WORK TEAM LEVEL'), Text(2.1386882821572644, 9.96168963682084, 'COMPONENT COMPLEXITY'), Text(5.700753758104459, 11.233288258597964, 'PROCESS EFFICIENCY LEVEL'), Text(4.952588306092207, 12.115257896128155, 'OO EXPERIENCE LEVEL'), Text(3.3829545942405543, 9.092553586051578, 'PROGRAM COUNT'), Text(1.401081436661583, 7.772526205153692, 'COLLECTION SLOT SIZE'), Text(5.074076574187606, 12.346803909824008, 'DEPLOYMENT PLATFORM EXPERIENCE LEVEL'), Text(2.5704218642690013, 8.086845085734414, 'DIFFUSION CUT COUNT'), Text(5.626789077358141, 12.023109697727929, 'QUALITY LEVEL'), Text(4.293341436170402, 8.158710285595486, 'MEDIA ALLOCATION'), Text(5.674012218148959, 11.471889428297679, 'PRODUCTIVITY LEVEL'), Text(2.639394988810584, 8.293420285270328, 'MODULE POINT CUT COUNT'), Text(3.6541408787607668, 9.213334404286885, 'REUSED PROGRAM COUNT'), Text(2.292649526498731, 9.529208242325556, 'CONNECTIVITY DENSITY'), Text(2.875211430280319, 9.322724654560997, 'NEW WEB PAGE COUNT'), Text(3.363237069471469, 8.490820690563748, 'INDIFFERENT CONCERN COUNT'), Text(5.4652215370013115, 12.980582743599303, 'READABILITY LEVEL'), Text(3.2044364988311163, 9.139639981020064, 'CLIENT SCRIPT COUNT'), Text(6.383974452908001, 12.561181768916903, 'SECURITY LEVEL'), Text(1.5612777700557583, 7.960394002710071, 'COMPONENT SLOT COUNT'), Text(2.7845905604844376, 8.205367409047627, 'SEGMENT COUNT'), Text(5.128169477878199, 12.176427714597612, 'PROGRAMMING LANGUAGE EXPERIENCE LEVEL'), Text(6.407052965079465, 13.283430090972356, 'AVAILABILITY LEVEL'), Text(5.671825439037095, 11.875956408750444, 'COMMUNICATION LEVEL'), Text(5.593398740896656, 9.034810707682656, 'METRICS PROGRAM'), Text(5.521821681809642, 11.113223902952104, 'MEMORY EFFICIENCY LEVEL'), Text(2.5526167347222084, 9.059740952650706, 'LINK COUNT'), Text(2.074910365437428, 10.357899286065784, 'CONTROL FLOW COMPLEXITY'), Text(4.419171038092145, 10.450056523368474, 'WEB OBJECTS'), Text(5.267959680878949, 10.77608057884943, 'CONCERN COUPLING'), Text(5.370449624067594, 12.3342318830036, 'EXPERIENCE LEVEL'), Text(6.280559093059312, 12.513150282700856, 'PLATFORM VOLATILITY LEVEL'), Text(6.13501780917688, 13.041460378964747, 'RELIABILITY LEVEL'), Text(5.872778123104045, 12.004443615958806, 'REQUIREMENTS NOVELTY LEVEL'), Text(5.8808322227596035, 11.791722542331334, 'INNOVATION LEVEL'), Text(5.738553018464197, 13.18510036127908, 'PORTABILITY LEVEL'), Text(3.7235244065865643, 9.3606619539715, 'NUMBER OF PROGRAMMING LANGUAGES'), Text(3.5028483861558626, 8.700287380104974, 'OPERATION COUNT'), Text(4.966851691709412, 10.023706368605296, 'TEAM CAPABILITY'), Text(1.9395627867989242, 10.28355203469594, 'INPUT COMPLEXITY'), Text(6.066216666128848, 13.010486028875624, 'INSTALLABILITY LEVEL'), Text(1.6440738861274817, 7.967227838720595, 'SLOT GRANULARITY LEVEL'), Text(6.09528164148631, 13.168859608400437, 'MAINTAINABILITY LEVEL'), Text(2.058899475814955, 10.600702530429476, 'ADAPTATION COMPLEXITY'), Text(2.4510019322394605, 10.057091206596011, 'PAGE COMPLEXITY'), Text(1.668272429042526, 7.70366218033291, 'COLLECTION CENTER SLOT COUNT'), Text(6.627512930543313, 8.681082725524902, 'TIME RESTRICTION'), Text(2.4690796571375144, 8.529133923280806, 'NODE COUNT'), Text(3.108294846978519, 7.854608653840565, 'REUSED LOW FEATURE COUNT'), Text(4.902813251767188, 11.7251884494509, 'SOFTWARE DEVELOPMENT EXPERIENCE'), Text(2.3107777909718212, 8.76898828858421, 'MODULARITY LEVEL'), Text(5.49103055069163, 11.19144051472346, 'TIME EFFICIENCY LEVEL'), Text(1.388503327800502, 8.152992560749963, 'ASSOCIATION SLOT SIZE'), Text(3.213005818433219, 8.811230912662687, 'STATEMENT COUNT'), Text(1.6673252729909316, 8.190996608847664, 'NODE SLOT SIZE'), Text(3.666120120307371, 8.370898111661274, 'PUBLISHING UNIT COUNT'), Text(1.5925404297716677, 7.932079121044704, 'ASSOCIATION CENTER SLOT COUNT'), Text(2.6891419201969136, 8.395640567370824, 'COMPONENT COUNT'), Text(1.5344179878984732, 7.849059932004838, 'INFORMATION SLOT COUNT'), Text(5.384184138437794, 9.929780251071566, 'DATA WEB POINTS'), Text(5.568010422981556, 13.095974280720664, 'TRAINABILITY LEVEL'), Text(1.9565764740962654, 10.483720264548346, 'NEW COMPLEXITY'), Text(3.1626034351822834, 7.661169081642515, 'REUSED HIGH FEATURE COUNT'), Text(1.990893065478172, 10.547369247958773, 'CYCLOMATIC COMPLEXITY'), Text(6.23198329459876, 12.99262148085095, 'ROBUSTNESS LEVEL'), Text(6.180673505244476, 11.01009706485839, 'INTEGRATION WITH LEGACY SYSTEMS'), Text(2.1015474382139026, 10.35904941729137, 'TOTAL COMPLEXITY'), Text(4.673463548420058, 10.927142075697581, 'RAPID APP DEVELOPMENT'), Text(2.9922257861446955, 9.511521145275662, 'WEB PAGE COUNT'), Text(7.029051049155815, 11.558415033136097, 'INFRASTRUCTURE'), Text(2.9881537450747864, 8.69570185229892, 'COMMENT COUNT'), Text(2.0057482122011003, 10.468230433123452, 'CLASS COMPLEXITY'), Text(2.3018475931324067, 10.707586220900218, 'DIFFICULTY LEVEL'), Text(4.886539923051192, 11.712062582515536, 'LESSONS LEARNED REPOSITORY'), Text(2.7910290124195236, 8.202187664735884, 'MODULE ATTRIBUTE COUNT'), Text(6.015165586395249, 12.370440550645192, 'PLATFORM SUPPORT LEVEL'), Text(3.765353898553838, 9.410276353926886, 'NUMBER OF PROJECTS IN PARALLEL'), Text(2.3093351387478895, 10.120207027026584, 'LAYOUT COMPLEXITY'), Text(6.369974172961328, 11.61229826495761, 'TECHNICAL FACTORS'), Text(2.1119609891917674, 10.274912260259901, 'OUTPUT COMPLEXITY'), Text(3.4103257976634604, 8.700027592409226, 'CONCERN OPERATION COUNT'), Text(2.127400976374385, 9.905345410392398, 'MODEL COLLECTION COMPLEXITY'), Text(2.7980701146274805, 8.377640665145147, 'SECTION COUNT'), Text(7.88536988744272, 10.857870101928711, 'LEGAL ENTITY'), Text(7.292889737457398, 9.615760617596763, 'CENTRALIZED'), Text(6.286948861171522, 8.6486310283343, 'EARLY'), Text(6.379371976218518, 8.429910347575234, 'EARLY & LATE'), Text(7.777860996840341, 9.032157518182483, 'LOCATION'), Text(8.175195060390978, 12.044821418467023, 'ESTIMATOR & PROVIDER'), Text(7.165276353681281, 10.79090449242365, 'PROVIDER'), Text(7.448714735768736, 8.530354782513207, 'GEOGRAPHIC DISTANCE'), Text(8.243345271094793, 12.2688499382564, 'ESTIMATOR'), Text(6.376313017505793, 8.58011582465399, 'LATE'), Text(7.541837974488135, 9.665147021838598, 'SEMI-DISTRIBUTED'), Text(7.352245358267138, 9.774704359258925, 'DISTRIBUTED'), Text(6.364026637937153, 10.216091088453929, 'FUZZY'), Text(6.74727751589891, 10.077551580043068, 'SLIM'), Text(7.837306664115599, 10.907790631339664, 'EVOLUTIONARY'), Text(8.13960968958995, 10.345452308654785, 'SEER-SEM'), Text(6.942438207917036, 9.682052359126864, 'SWARM'), Text(8.541025835856074, 10.431212045465198, 'ANN'), Text(7.580255964394779, 11.265537447588784, 'ANALOGY BASE'), Text(8.588371229856124, 10.243948362554823, 'BOTH'), Text(6.743730959201294, 8.820825315089454, 'INTERVAL'), Text(5.44396519860373, 8.573787465549652, 'LATE SIZE METRIC'), Text(4.487576146364332, 10.685910731270202, 'WEB APPLICATION'), Text(4.559104611177238, 10.610769719169253, 'WEB SOFTWARE APPLICATION'), Text(5.413795707678844, 9.145605652672904, 'SOLUTION ORIENTED METRIC'), Text(8.496235063660048, 10.934180065563748, 'ABSOLUTE'), Text(8.157096212211275, 10.949175893692743, 'DIRECTLY'), Text(4.912367670526428, 8.49818751244318, 'LENGTH'), Text(7.462267312623202, 9.534526445184435, 'RATIO'), Text(3.7261908603273333, 9.516394868351165, 'PROGRAM/SCRIPT'), Text(4.081209027299117, 8.124718218757994, 'MEDIA'), Text(8.191821351775959, 10.597740485554649, 'SPECIFIC'), Text(5.7365312576924845, 9.108070120357333, 'PROBLEM ORIENTED METRIC'), Text(8.233250024894312, 11.054357461134593, 'INDIRECTLY'), Text(6.135773384438889, 10.530641176019397, 'FUNCTIONALITY'), Text(5.251046035759632, 8.611185014815558, 'EARLY SIZE METRIC'), Text(8.722410019150665, 10.48172022388095, 'NONE'), Text(7.8748934510770825, 11.576534338792165, 'EMPIRICALLY'), Text(8.569161119879253, 10.57566387880416, 'ORDINAL'), Text(4.589016305642624, 10.538386792228335, 'WEB HYPERMEDIA APPLICATION'), Text(8.622627078027975, 10.866009323937552, 'NOMINAL'), Text(8.208513314758818, 10.284115858872733, 'OTHER'), Text(2.0620841304062596, 10.450159131912958, 'COMPLEXITY'), Text(7.971933537332283, 11.28201796100253, 'THEORETICALLY'), Text(8.430305687384982, 10.738437205269223, 'NONSPECIFIC'), Text(7.579753562207185, 10.435879639784496, 'DSDM'), Text(6.779842598817401, 8.480946034476872, 'PAIR DAYS'), Text(8.818106139224744, 10.819299183005377, 'NOT USED'), Text(7.802686887258484, 10.16827151207697, 'MDMRE'), Text(5.746197120470386, 9.522124358018239, 'POINT'), Text(6.883601644631597, 11.301802120322272, 'MANUFACTURING'), Text(8.479104852021461, 10.184859976314364, 'ALL'), Text(5.742287506497195, 9.73437379314786, 'FUNCTION POINTS'), Text(7.0682832495934305, 11.925682059356145, 'EDUCATION'), Text(8.506279582203996, 10.074345850376856, 'SINGLE'), Text(7.581021162589953, 10.36379044453303, 'FDD'), Text(7.8727573434071205, 10.373695715268456, 'MMRE'), Text(7.5832063871111375, 11.177938520340692, 'ANALOGY'), Text(6.663226276557412, 9.914658926214491, 'SCRUM'), Text(4.860910018537075, 9.867355726446425, 'NO. OF TEAM MEMBERS'), Text(8.407594871554645, 11.174687638736906, 'CONSIDERED'), Text(8.296702323591397, 12.13588389669146, 'ESTIMATE VALUE(S)'), Text(6.691259299266724, 8.612124949409848, 'HOURS/DAYS'), Text(7.0520363285164205, 10.160216702733717, 'KANBAN'), Text(7.027551987085672, 11.744685417697543, 'TRANSPORTATION'), Text(7.415767335266236, 9.86367175011408, 'DISTRIBUTION'), Text(7.19367068305912, 11.413642368430185, 'FINANCIAL'), Text(8.094157198067874, 8.504180937721618, 'FAR OFFSHORE'), Text(8.626644654516731, 11.645370766094754, 'EXPERT JUDGEMENT'), Text(6.750084342724015, 9.941804885864258, 'CUSTOMIZED SCRUM'), Text(6.597997077545452, 8.676574065571739, 'IDEAL HOURS'), Text(7.025513600664995, 12.082573823134105, 'HEALTH'), Text(7.299655905175474, 10.682580939361028, 'XP'), Text(6.677863077958746, 10.891256146771568, 'PLANNING POKER'), Text(6.704157055904189, 8.500651106380282, 'DAILY'), Text(5.93294056281808, 9.663140229384105, 'THREE POINT'), Text(7.332231127097001, 10.094854861214047, 'RELEASE'), Text(7.956396571933744, 8.375710048562004, 'CLOSE ONSHORE'), Text(6.161097523947396, 10.319551088128772, 'TASK'), Text(7.26728716682102, 10.928561784539905, 'CRYSTAL'), Text(5.705414048297511, 9.466437601475489, 'UC POINTS'), Text(4.65728592286968, 11.590198010490056, 'USER STORY'), Text(8.713286028863081, 10.72136236713046, 'NOT APPLICABLE'), Text(7.113420398958748, 11.047512501762029, 'RETAIL/WHOLESALE'), Text(7.757826615710774, 9.348485440299626, 'CO-LOCATED'), Text(5.62761153001819, 9.677049822466717, 'STORY POINTS'), Text(7.30034315816998, 10.5117192648706, 'CUSTOMIZED XP'), Text(6.934179884779959, 10.45601221947443, 'SPRINT'), Text(7.104545002820032, 11.169637300286974, 'COMMUNICATIONS INDUSTRY')], [])
# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)
# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)
# Re-add the first legend
plt.gca().add_artist(legend1)
plt.title("UMAP Visualization of Word Embeddings")
plt.xlabel("UMAP Component 1")
plt.ylabel("UMAP Component 2")
# Save the plot as an image
plt.savefig('umap_word_embeddings.png', dpi=600, bbox_inches='tight')
# Display the plot
plt.show()

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt
import numpy as np
# Clear any existing plots and set plot style
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid')
plt.rcParams['font.family'] = 'serif'
df = similarity_df_filtered
# Group by Set 1 and Set 2 and count the number of shared words
count_table = df.groupby(["Set 1", "Set 2"]).size().reset_index(name="Shared Word Count")
# Pivot the DataFrame to create a matrix of shared word counts
pivot_count = count_table.pivot(index="Set 1", columns="Set 2", values="Shared Word Count").fillna(0)
# Reindex the pivot table to ensure symmetry in rows and columns
pivot_count = pivot_count.reindex(index=pivot_count.columns, columns=pivot_count.columns, fill_value=0)
# Mask only the upper triangle, excluding the diagonal
mask = np.triu(np.ones_like(pivot_count, dtype=bool), k=1)
# Plot the heatmap
plt.figure(figsize=(12, 8))
#sns.heatmap(pivot_count, annot=True, mask=mask, cmap="Blues", cbar_kws={'label': 'Number of Shared Words'})
sns.heatmap(pivot_count, annot=True, mask=mask, cmap="Blues", cbar_kws={'label': 'Number of Similar Words'})
plt.title("Heatmap of Similar Words between Literature")
plt.xlabel("Literature")
plt.ylabel("Literature")
plt.xticks(rotation=45, ha="right")
(array([0.5, 1.5, 2.5, 3.5, 4.5, 5.5]), [Text(0.5, 0, 'Bajta'), Text(1.5, 0, 'Britto_2016'), Text(2.5, 0, 'Britto_2017'), Text(3.5, 0, 'Dashti'), Text(4.5, 0, 'Mendes'), Text(5.5, 0, 'Usman')])
plt.yticks(rotation=0)
(array([0.5, 1.5, 2.5, 3.5, 4.5, 5.5]), [Text(0, 0.5, 'Bajta'), Text(0, 1.5, 'Britto_2016'), Text(0, 2.5, 'Britto_2017'), Text(0, 3.5, 'Dashti'), Text(0, 4.5, 'Mendes'), Text(0, 5.5, 'Usman')])
plt.tight_layout()
plt.savefig('word_counts.png', dpi=300, bbox_inches='tight')
plt.show()


import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt
# Clear any existing plots and set plot style
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid')
plt.rcParams['font.family'] = 'serif'
# Data preparation
df = similarity_df_filtered
# Group by Set 1 and Set 2 and count the number of shared words
count_table = df.groupby(["Set 1", "Set 2"]).size().reset_index(name="Shared Word Count")
# Remove redundant comparisons (keeping only Set1 < Set2)
count_table = count_table[count_table["Set 1"] < count_table["Set 2"]]
# Create all possible combinations of Set 1 and Set 2
all_sets = pd.MultiIndex.from_product([count_table["Set 1"].unique(), count_table["Set 2"].unique()], names=["Set 1", "Set 2"])
# Create a DataFrame with all combinations and zero counts
count_table_full = pd.DataFrame(index=all_sets).reset_index()
# Merge count_table_full with the original count_table to get the actual shared word counts
count_table_full = pd.merge(count_table_full, count_table, on=["Set 1", "Set 2"], how="left").fillna(0)
# Create the bar plot (dodge=True)
plt.figure(figsize=(12, 8))
ax = sns.barplot(x="Set 1", y="Shared Word Count", hue="Set 2", data=count_table_full, palette="Set2", width=0.8, dodge=True)
# Title and labels
plt.title("Barplot of Similar Words Between Literature (Upper 70% similarity threshold)")
plt.xlabel("Number of Similar Words")
plt.ylabel("Literature")
# Add value labels inside each bar with the same color as the bars
for container in ax.containers:
for bar in container:
bar_color = bar.get_facecolor() # Get the color of the bar
ax.bar_label(container, label_type="edge", padding=3, fontsize=12, color=bar_color, fontweight='bold') # Set the label color to the bar's color
# Change the legend title and position it at the bottom horizontally
plt.legend(title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.1), ncol=len(count_table['Set 2'].unique()))
# Adjust layout to prevent clipping and save the plot
plt.tight_layout()
plt.savefig('shared_words_barplot_with_labels.png', dpi=300, bbox_inches='tight')
plt.show()


import pandas as pd
from openpyxl import Workbook
from openpyxl.styles import Font
from openpyxl.utils import get_column_letter
# Create a workbook and a worksheet
wb = Workbook()
ws = wb.active
ws.title = "Collapsed Similarity Results"
# Define the headers for the new table
headers = ["Set Pair", "Word Pair"]
ws.append(headers)
# Define color palette for coloring words
excel_palette = [
'FF6384', # Light Red
'36A2EB', # Light Blue
'FFCE56', # Light Yellow
'4BC0C0', # Light Green
'9966FF', # Light Purple
'FF9F40' # Light Orange
]
# Initialize the color index and word-to-color mapping
color_index = 0
word_colors = {}
# Function to assign a color to a word, and avoid repeating colors for the same word in consecutive rows
def get_word_color(word):
global color_index
if word not in word_colors:
word_colors[word] = excel_palette[color_index % len(excel_palette)]
color_index += 1
return word_colors[word]
# Group the words by set pair and track the font color for each word
set_pairs_dict = {}
# Populate the set_pairs_dict with the relevant data
for _, row in similarity_df_filtered.iterrows():
set_pair = f"{row['Set 1']} - {row['Set 2']}"
word_pair = f"{row['Word 1']} - {row['Word 2']}"
# Group words by set pairs
if set_pair not in set_pairs_dict:
set_pairs_dict[set_pair] = []
set_pairs_dict[set_pair].append((row['Word 1'], row['Word 2'], row['Cosine Similarity']))
# Function to apply colors to words in the final merged table
def apply_word_colors(word_pair_str, word_colors):
colored_str = []
for word in word_pair_str.split(" - "):
color = word_colors.get(word, '000000') # Default to black if no color is found
word_font = Font(color=color)
colored_str.append(f"{word} ({color})") # Track color alongside the word
return " - ".join(colored_str)
# Now we will merge words and apply colors to the font
for set_pair, word_pairs in set_pairs_dict.items():
combined_words = []
for word1, word2, _ in word_pairs:
color_word1 = get_word_color(word1)
color_word2 = get_word_color(word2)
# Append words to the combined list, ensuring no duplicates
combined_words.extend([word1, word2])
# Remove duplicates and join them into one string for the word pair column
combined_words = sorted(set(combined_words), key=lambda x: combined_words.index(x))
word_pair_str = " - ".join(combined_words)
# Add the set pair and word pair to the Excel sheet
current_row = ws.max_row + 1
ws.append([set_pair, word_pair_str])
# Apply font color for each word in the final word pair
current_cell = ws.cell(row=current_row, column=2)
current_cell.value = word_pair_str
for word in word_pair_str.split(" - "):
# Set font color for each word (as per the color assigned previously)
color = word_colors.get(word, '000000')
# Check if the word is identical and bold it
is_bold = False
for word1, word2, _ in word_pairs:
if word1 == word2:
is_bold = True
# Apply the font color and bold if necessary
current_cell.font = Font(color=color, bold=is_bold)
# Save the workbook to a file
wb.save("colored_word_pairs.xlsx")
print("Excel file with colored words and bold identical words has been created!")
Excel file with colored words and bold identical words has been created!
# Initialize tracking variables
word1_to_color = {}
color_index = 0
previous_word = None
previous_color = None
# Create a new column "Marker" to hold "*" if "Word 1" equals "Word 2"
similarity_df_filtered['Marker'] = similarity_df_filtered.apply(
lambda row: '*' if row['Word 1'] == row['Word 2'] else '', axis=1
)
# Function to assign colors to rows, skipping color assignment if the "Word 1" is the same as the previous row's "Word 1"
def assign_colors(row):
global previous_word, previous_color, color_index
word1 = row['Word 1']
# If the current "Word 1" is the same as the previous "Word 1", reuse the color
if word1 == previous_word:
color = previous_color
else:
# Otherwise, assign the next color and update tracking variables
color = color_palette[color_index % len(color_palette)]
previous_color = color
previous_word = word1
color_index += 1
# Return a list of styles for all columns except for "Marker" (bold)
return [f'background-color: {color}'] * (len(row) - 1) + ['font-weight: bold; color: black;']
# Apply the function to style the DataFrame
styled_similarity_df = similarity_df_filtered.style.apply(assign_colors, axis=1)
# Display the styled DataFrame
styled_similarity_df
<pandas.io.formats.style.Styler object at 0x00000001AFC93BE0>
styled_similarity_df.to_html('similarity_table.html')
sessionInfo()
R version 4.3.1 (2023-06-16 ucrt)
Platform: x86_64-w64-mingw32/x64 (64-bit)
Running under: Windows 11 x64 (build 22631)
Matrix products: default
locale:
[1] LC_COLLATE=Catalan_Spain.utf8 LC_CTYPE=Catalan_Spain.utf8
[3] LC_MONETARY=Catalan_Spain.utf8 LC_NUMERIC=C
[5] LC_TIME=Catalan_Spain.utf8
time zone: Europe/Madrid
tzcode source: internal
attached base packages:
[1] stats graphics grDevices utils datasets methods base
other attached packages:
[1] workflowr_1.7.1
loaded via a namespace (and not attached):
[1] Matrix_1.6-1 jsonlite_1.8.7 highr_0.10 compiler_4.3.1
[5] promises_1.3.2 Rcpp_1.0.11 stringr_1.5.0 git2r_0.35.0
[9] callr_3.7.3 later_1.4.1 jquerylib_0.1.4 png_0.1-8
[13] yaml_2.3.7 fastmap_1.1.1 here_1.0.1 lattice_0.21-8
[17] reticulate_1.40.0 R6_2.5.1 knitr_1.43 tibble_3.2.1
[21] rprojroot_2.0.3 bslib_0.5.1 pillar_1.9.0 rlang_1.1.1
[25] utf8_1.2.3 cachem_1.0.8 stringi_1.7.12 httpuv_1.6.15
[29] xfun_0.40 getPass_0.2-4 fs_1.6.3 sass_0.4.7
[33] cli_3.6.1 magrittr_2.0.3 ps_1.7.5 grid_4.3.1
[37] digest_0.6.33 processx_3.8.2 rstudioapi_0.15.0 lifecycle_1.0.3
[41] vctrs_0.6.3 evaluate_0.21 glue_1.6.2 whisker_0.4.1
[45] fansi_1.0.4 rmarkdown_2.24 httr_1.4.7 tools_4.3.1
[49] pkgconfig_2.0.3 htmltools_0.5.6